diff --git a/CHANGELOG.md b/CHANGELOG.md index 577337f93..b1662caee 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,7 @@ ### Added - Import from Instagram ([#4466](https://github.com/pixelfed/pixelfed/pull/4466)) ([cf3078c5](https://github.com/pixelfed/pixelfed/commit/cf3078c5)) +- Sign-in with Mastodon ([#4545](https://github.com/pixelfed/pixelfed/pull/4545)) ([45b9404e](https://github.com/pixelfed/pixelfed/commit/45b9404e)) ### Updates - Update Notifications.vue component, fix filtering logic to prevent endless spinner ([3df9b53f](https://github.com/pixelfed/pixelfed/commit/3df9b53f)) diff --git a/app/Http/Controllers/RemoteAuthController.php b/app/Http/Controllers/RemoteAuthController.php new file mode 100644 index 000000000..d48e5b982 --- /dev/null +++ b/app/Http/Controllers/RemoteAuthController.php @@ -0,0 +1,568 @@ +user()) { + return redirect('/'); + } + return view('auth.remote.start'); + } + + public function startRedirect(Request $request) + { + return redirect('/login'); + } + + public function getAuthDomains(Request $request) + { + if(config('remote-auth.mastodon.domains.only_custom')) { + $res = config('remote-auth.mastodon.domains.custom'); + if(!$res || !strlen($res)) { + return []; + } + $res = explode(',', $res); + return response()->json($res); + } + + $res = config('remote-auth.mastodon.domains.default'); + $res = explode(',', $res); + + return response()->json($res); + } + + public function redirect(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + $this->validate($request, ['domain' => 'required']); + + $domain = $request->input('domain'); + $compatible = RemoteAuthService::isDomainCompatible($domain); + + if(!$compatible) { + $res = [ + 'domain' => $domain, + 'ready' => false, + 'action' => 'incompatible_domain' + ]; + return response()->json($res); + } + + if(config('remote-auth.mastodon.domains.only_default')) { + $defaultDomains = explode(',', config('remote-auth.mastodon.domains.default')); + if(!in_array($domain, $defaultDomains)) { + $res = [ + 'domain' => $domain, + 'ready' => false, + 'action' => 'incompatible_domain' + ]; + return response()->json($res); + } + } + + if(config('remote-auth.mastodon.domains.only_custom') && config('remote-auth.mastodon.domains.custom')) { + $customDomains = explode(',', config('remote-auth.mastodon.domains.custom')); + if(!in_array($domain, $customDomains)) { + $res = [ + 'domain' => $domain, + 'ready' => false, + 'action' => 'incompatible_domain' + ]; + return response()->json($res); + } + } + + $client = RemoteAuthService::getMastodonClient($domain); + + abort_unless($client, 422, 'Invalid mastodon client'); + + $request->session()->put('state', $state = Str::random(40)); + $request->session()->put('oauth_domain', $domain); + + $query = http_build_query([ + 'client_id' => $client->client_id, + 'redirect_uri' => $client->redirect_uri, + 'response_type' => 'code', + 'scope' => 'read', + 'state' => $state, + ]); + + $request->session()->put('oauth_redirect_to', 'https://' . $domain . '/oauth/authorize?' . $query); + + $dsh = Str::random(17); + $res = [ + 'domain' => $domain, + 'ready' => true, + 'dsh' => $dsh + ]; + + return response()->json($res); + } + + public function preflight(Request $request) + { + if(!$request->filled('d') || !$request->filled('dsh') || !$request->session()->exists('oauth_redirect_to')) { + return redirect('/login'); + } + + return redirect()->away($request->session()->pull('oauth_redirect_to')); + } + + public function handleCallback(Request $request) + { + $domain = $request->session()->get('oauth_domain'); + + if($request->filled('code')) { + $code = $request->input('code'); + $state = $request->session()->pull('state'); + + throw_unless( + strlen($state) > 0 && $state === $request->state, + InvalidArgumentException::class, + 'Invalid state value.' + ); + + $res = RemoteAuthService::getToken($domain, $code); + + if(!$res || !isset($res['access_token'])) { + $request->session()->regenerate(); + return redirect('/login'); + } + + $request->session()->put('oauth_remote_session_token', $res['access_token']); + return redirect('/auth/mastodon/getting-started'); + } + + return redirect('/login'); + } + + public function onboarding(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + if($request->user()) { + return redirect('/'); + } + return view('auth.remote.onboarding'); + } + + public function sessionCheck(Request $request) + { + abort_if($request->user(), 403); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + + $domain = $request->session()->get('oauth_domain'); + $token = $request->session()->get('oauth_remote_session_token'); + + $res = RemoteAuthService::getVerifyCredentials($domain, $token); + + abort_if(!$res || !isset($res['acct']), 403, 'Invalid credentials'); + + $webfinger = strtolower('@' . $res['acct'] . '@' . $domain); + $request->session()->put('oauth_masto_webfinger', $webfinger); + + if(config('remote-auth.mastodon.max_uses.enabled')) { + $limit = config('remote-auth.mastodon.max_uses.limit'); + $uses = RemoteAuthService::lookupWebfingerUses($webfinger); + if($uses >= $limit) { + return response()->json([ + 'code' => 200, + 'msg' => 'Success!', + 'action' => 'max_uses_reached' + ]); + } + } + + $exists = RemoteAuth::whereDomain($domain)->where('webfinger', $webfinger)->whereNotNull('user_id')->first(); + if($exists && $exists->user_id) { + return response()->json([ + 'code' => 200, + 'msg' => 'Success!', + 'action' => 'redirect_existing_user' + ]); + } + + return response()->json([ + 'code' => 200, + 'msg' => 'Success!', + 'action' => 'onboard' + ]); + } + + public function sessionGetMastodonData(Request $request) + { + abort_if($request->user(), 403); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + + $domain = $request->session()->get('oauth_domain'); + $token = $request->session()->get('oauth_remote_session_token'); + + $res = RemoteAuthService::getVerifyCredentials($domain, $token); + $res['_webfinger'] = strtolower('@' . $res['acct'] . '@' . $domain); + $res['_domain'] = strtolower($domain); + $request->session()->put('oauth_remasto_id', $res['id']); + + $ra = RemoteAuth::updateOrCreate([ + 'domain' => $domain, + 'webfinger' => $res['_webfinger'], + ], [ + 'software' => 'mastodon', + 'ip_address' => $request->ip(), + 'bearer_token' => $token, + 'verify_credentials' => $res, + 'last_verify_credentials_at' => now(), + 'last_successful_login_at' => now() + ]); + + $request->session()->put('oauth_masto_raid', $ra->id); + + return response()->json($res); + } + + public function sessionValidateUsername(Request $request) + { + abort_if($request->user(), 403); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + + $this->validate($request, [ + 'username' => [ + 'required', + 'min:2', + 'max:15', + function ($attribute, $value, $fail) { + $dash = substr_count($value, '-'); + $underscore = substr_count($value, '_'); + $period = substr_count($value, '.'); + + if(ends_with($value, ['.php', '.js', '.css'])) { + return $fail('Username is invalid.'); + } + + if(($dash + $underscore + $period) > 1) { + return $fail('Username is invalid. Can only contain one dash (-), period (.) or underscore (_).'); + } + + if (!ctype_alnum($value[0])) { + return $fail('Username is invalid. Must start with a letter or number.'); + } + + if (!ctype_alnum($value[strlen($value) - 1])) { + return $fail('Username is invalid. Must end with a letter or number.'); + } + + $val = str_replace(['_', '.', '-'], '', $value); + if(!ctype_alnum($val)) { + return $fail('Username is invalid. Username must be alpha-numeric and may contain dashes (-), periods (.) and underscores (_).'); + } + + $restricted = RestrictedNames::get(); + if (in_array(strtolower($value), array_map('strtolower', $restricted))) { + return $fail('Username cannot be used.'); + } + } + ] + ]); + $username = strtolower($request->input('username')); + + $exists = User::where('username', $username)->exists(); + + return response()->json([ + 'code' => 200, + 'username' => $username, + 'exists' => $exists + ]); + } + + public function sessionValidateEmail(Request $request) + { + abort_if($request->user(), 403); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + + $this->validate($request, [ + 'email' => [ + 'required', + 'email:strict,filter_unicode,dns,spoof', + ] + ]); + + $email = $request->input('email'); + $banned = EmailService::isBanned($email); + $exists = User::where('email', $email)->exists(); + + return response()->json([ + 'code' => 200, + 'email' => $email, + 'exists' => $exists, + 'banned' => $banned + ]); + } + + public function sessionGetMastodonFollowers(Request $request) + { + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + abort_unless($request->session()->exists('oauth_remasto_id'), 403); + + $domain = $request->session()->get('oauth_domain'); + $token = $request->session()->get('oauth_remote_session_token'); + $id = $request->session()->get('oauth_remasto_id'); + + $res = RemoteAuthService::getFollowing($domain, $token, $id); + + if(!$res) { + return response()->json([ + 'code' => 200, + 'following' => [] + ]); + } + + $res = collect($res)->filter(fn($acct) => Helpers::validateUrl($acct['url']))->values()->toArray(); + + return response()->json([ + 'code' => 200, + 'following' => $res + ]); + } + + public function handleSubmit(Request $request) + { + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + abort_unless($request->session()->exists('oauth_remasto_id'), 403); + abort_unless($request->session()->exists('oauth_masto_webfinger'), 403); + abort_unless($request->session()->exists('oauth_masto_raid'), 403); + + $this->validate($request, [ + 'email' => 'required|email:strict,filter_unicode,dns,spoof', + 'username' => [ + 'required', + 'min:2', + 'max:15', + 'unique:users,username', + function ($attribute, $value, $fail) { + $dash = substr_count($value, '-'); + $underscore = substr_count($value, '_'); + $period = substr_count($value, '.'); + + if(ends_with($value, ['.php', '.js', '.css'])) { + return $fail('Username is invalid.'); + } + + if(($dash + $underscore + $period) > 1) { + return $fail('Username is invalid. Can only contain one dash (-), period (.) or underscore (_).'); + } + + if (!ctype_alnum($value[0])) { + return $fail('Username is invalid. Must start with a letter or number.'); + } + + if (!ctype_alnum($value[strlen($value) - 1])) { + return $fail('Username is invalid. Must end with a letter or number.'); + } + + $val = str_replace(['_', '.', '-'], '', $value); + if(!ctype_alnum($val)) { + return $fail('Username is invalid. Username must be alpha-numeric and may contain dashes (-), periods (.) and underscores (_).'); + } + + $restricted = RestrictedNames::get(); + if (in_array(strtolower($value), array_map('strtolower', $restricted))) { + return $fail('Username cannot be used.'); + } + } + ], + 'password' => 'required|string|min:8|confirmed', + 'name' => 'nullable|max:30' + ]); + + $email = $request->input('email'); + $username = $request->input('username'); + $password = $request->input('password'); + $name = $request->input('name'); + + $user = $this->createUser([ + 'name' => $name, + 'username' => $username, + 'password' => $password, + 'email' => $email + ]); + + $raid = $request->session()->pull('oauth_masto_raid'); + $webfinger = $request->session()->pull('oauth_masto_webfinger'); + $token = $user->createToken('Onboarding')->accessToken; + + $ra = RemoteAuth::where('id', $raid)->where('webfinger', $webfinger)->firstOrFail(); + $ra->user_id = $user->id; + $ra->save(); + + return [ + 'code' => 200, + 'msg' => 'Success', + 'token' => $token + ]; + } + + public function storeBio(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + abort_unless($request->user(), 404); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + abort_unless($request->session()->exists('oauth_remasto_id'), 403); + + $this->validate($request, [ + 'bio' => 'required|nullable|max:500', + ]); + + $profile = $request->user()->profile; + $profile->bio = Purify::clean($request->input('bio')); + $profile->save(); + + return [200]; + } + + public function accountToId(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + abort_if($request->user(), 404); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + abort_unless($request->session()->exists('oauth_remasto_id'), 403); + + $this->validate($request, [ + 'account' => 'required|url' + ]); + + $account = $request->input('account'); + abort_unless(substr(strtolower($account), 0, 8) === 'https://', 404); + + $host = strtolower(config('pixelfed.domain.app')); + $domain = strtolower(parse_url($account, PHP_URL_HOST)); + + if($domain == $host) { + $username = Str::of($account)->explode('/')->last(); + $user = User::where('username', $username)->first(); + if($user) { + return ['id' => (string) $user->profile_id]; + } else { + return []; + } + } else { + try { + $profile = Helpers::profileFetch($account); + if($profile) { + return ['id' => (string) $profile->id]; + } else { + return []; + } + } catch (\GuzzleHttp\Exception\RequestException $e) { + return; + } catch (Exception $e) { + return []; + } + } + } + + public function storeAvatar(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + abort_unless($request->user(), 404); + $this->validate($request, [ + 'avatar_url' => 'required|active_url', + ]); + + $user = $request->user(); + $profile = $user->profile; + + abort_if(!$profile->avatar, 404, 'Missing avatar'); + + $avatar = $profile->avatar; + $avatar->remote_url = $request->input('avatar_url'); + $avatar->save(); + + MediaStorageService::avatar($avatar, config_cache('pixelfed.cloud_storage') == false); + + return [200]; + } + + public function finishUp(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + abort_unless($request->user(), 404); + + $currentWebfinger = '@' . $request->user()->username . '@' . config('pixelfed.domain.app'); + $ra = RemoteAuth::where('user_id', $request->user()->id)->firstOrFail(); + RemoteAuthService::submitToBeagle( + $ra->webfinger, + $ra->verify_credentials['url'], + $currentWebfinger, + $request->user()->url() + ); + + return [200]; + } + + public function handleLogin(Request $request) + { + abort_unless(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled'), 404); + abort_if($request->user(), 404); + abort_unless($request->session()->exists('oauth_domain'), 403); + abort_unless($request->session()->exists('oauth_remote_session_token'), 403); + abort_unless($request->session()->exists('oauth_masto_webfinger'), 403); + + $domain = $request->session()->get('oauth_domain'); + $wf = $request->session()->get('oauth_masto_webfinger'); + + $ra = RemoteAuth::where('webfinger', $wf)->where('domain', $domain)->whereNotNull('user_id')->firstOrFail(); + + $user = User::findOrFail($ra->user_id); + abort_if($user->is_admin || $user->status != null, 422, 'Invalid auth action'); + Auth::loginUsingId($ra->user_id); + return [200]; + } + + protected function createUser($data) + { + event(new Registered($user = User::create([ + 'name' => Purify::clean($data['name']), + 'username' => $data['username'], + 'email' => $data['email'], + 'password' => Hash::make($data['password']), + 'email_verified_at' => config('remote-auth.mastodon.contraints.skip_email_verification') ? now() : null, + 'app_register_ip' => request()->ip(), + 'register_source' => 'mastodon' + ]))); + + $this->guarder()->login($user); + + return $user; + } + + protected function guarder() + { + return Auth::guard(); + } +} diff --git a/app/Models/RemoteAuth.php b/app/Models/RemoteAuth.php new file mode 100644 index 000000000..98909f09b --- /dev/null +++ b/app/Models/RemoteAuth.php @@ -0,0 +1,19 @@ + 'array', + 'last_successful_login_at' => 'datetime', + 'last_verify_credentials_at' => 'datetime' + ]; +} diff --git a/app/Models/RemoteAuthInstance.php b/app/Models/RemoteAuthInstance.php new file mode 100644 index 000000000..bdc03fcb2 --- /dev/null +++ b/app/Models/RemoteAuthInstance.php @@ -0,0 +1,13 @@ +exists()) { + return RemoteAuthInstance::whereDomain($domain)->first(); + } + + try { + $url = 'https://' . $domain . '/api/v1/apps'; + $res = Http::asForm()->throw()->timeout(10)->post($url, [ + 'client_name' => config('pixelfed.domain.app', 'pixelfed'), + 'redirect_uris' => url('/auth/mastodon/callback'), + 'scopes' => 'read', + 'website' => 'https://pixelfed.org' + ]); + + if(!$res->ok()) { + return false; + } + } catch (RequestException $e) { + return false; + } catch (ConnectionException $e) { + return false; + } catch (Exception $e) { + return false; + } + + $body = $res->json(); + + if(!$body || !isset($body['client_id'])) { + return false; + } + + $raw = RemoteAuthInstance::updateOrCreate([ + 'domain' => $domain + ], [ + 'client_id' => $body['client_id'], + 'client_secret' => $body['client_secret'], + 'redirect_uri' => $body['redirect_uri'], + ]); + + return $raw; + } + + public static function getToken($domain, $code) + { + $raw = RemoteAuthInstance::whereDomain($domain)->first(); + if(!$raw || !$raw->active || $raw->banned) { + return false; + } + + $url = 'https://' . $domain . '/oauth/token'; + $res = Http::asForm()->post($url, [ + 'code' => $code, + 'grant_type' => 'authorization_code', + 'client_id' => $raw->client_id, + 'client_secret' => $raw->client_secret, + 'redirect_uri' => $raw->redirect_uri, + 'scope' => 'read' + ]); + + return $res; + } + + public static function getVerifyCredentials($domain, $code) + { + $raw = RemoteAuthInstance::whereDomain($domain)->first(); + if(!$raw || !$raw->active || $raw->banned) { + return false; + } + + $url = 'https://' . $domain . '/api/v1/accounts/verify_credentials'; + + $res = Http::withToken($code)->get($url); + + return $res->json(); + } + + public static function getFollowing($domain, $code, $id) + { + $raw = RemoteAuthInstance::whereDomain($domain)->first(); + if(!$raw || !$raw->active || $raw->banned) { + return false; + } + + $url = 'https://' . $domain . '/api/v1/accounts/' . $id . '/following?limit=80'; + $key = self::CACHE_KEY . 'get-following:code:' . substr($code, 0, 16) . substr($code, -5) . ':domain:' . $domain. ':id:' .$id; + + return Cache::remember($key, 3600, function() use($url, $code) { + $res = Http::withToken($code)->get($url); + return $res->json(); + }); + } + + public static function isDomainCompatible($domain = false) + { + if(!$domain) { + return false; + } + + return Cache::remember(self::CACHE_KEY . 'domain-compatible:' . $domain, 14400, function() use($domain) { + try { + $res = Http::timeout(20)->retry(3, 750)->get('https://beagle.pixelfed.net/api/v1/raa/domain?domain=' . $domain); + if(!$res->ok()) { + return false; + } + } catch (RequestException $e) { + return false; + } catch (ConnectionException $e) { + return false; + } catch (Exception $e) { + return false; + } + $json = $res->json(); + + if(!in_array('compatible', $json)) { + return false; + } + + return $res['compatible']; + }); + } + + public static function lookupWebfingerUses($wf) + { + try { + $res = Http::timeout(20)->retry(3, 750)->get('https://beagle.pixelfed.net/api/v1/raa/lookup?webfinger=' . $wf); + if(!$res->ok()) { + return false; + } + } catch (RequestException $e) { + return false; + } catch (ConnectionException $e) { + return false; + } catch (Exception $e) { + return false; + } + $json = $res->json(); + if(!$json || !isset($json['count'])) { + return false; + } + + return $json['count']; + } + + public static function submitToBeagle($ow, $ou, $dw, $du) + { + try { + $url = 'https://beagle.pixelfed.net/api/v1/raa/submit'; + $res = Http::throw()->timeout(10)->get($url, [ + 'ow' => $ow, + 'ou' => $ou, + 'dw' => $dw, + 'du' => $du, + ]); + + if(!$res->ok()) { + return; + } + } catch (RequestException $e) { + return; + } catch (ConnectionException $e) { + return; + } catch (Exception $e) { + return; + } + + return; + } +} diff --git a/app/User.php b/app/User.php index 23faf63f4..a39f650be 100644 --- a/app/User.php +++ b/app/User.php @@ -37,7 +37,8 @@ class User extends Authenticatable 'password', 'app_register_ip', 'email_verified_at', - 'last_active_at' + 'last_active_at', + 'register_source' ]; /** diff --git a/config/remote-auth.php b/config/remote-auth.php new file mode 100644 index 000000000..3f85b9d40 --- /dev/null +++ b/config/remote-auth.php @@ -0,0 +1,56 @@ + [ + 'enabled' => env('PF_LOGIN_WITH_MASTODON_ENABLED', false), + + 'contraints' => [ + /* + * Skip email verification + * + * To improve the onboarding experience, you can opt to skip the email + * verification process and automatically verify their email + */ + 'skip_email_verification' => env('PF_LOGIN_WITH_MASTODON_SKIP_EMAIL', true), + ], + + 'domains' => [ + 'default' => 'mastodon.social,mastodon.online,mstdn.social,mas.to', + + /* + * Custom mastodon domains + * + * Define a comma separated list of custom domains to allow + */ + 'custom' => env('PF_LOGIN_WITH_MASTODON_DOMAINS'), + + /* + * Use only default domains + * + * Allow Sign-in with Mastodon using only the default domains + */ + 'only_default' => env('PF_LOGIN_WITH_MASTODON_ONLY_DEFAULT', false), + + /* + * Use only custom domains + * + * Allow Sign-in with Mastodon using only the custom domains + * you define, in comma separated format + */ + 'only_custom' => env('PF_LOGIN_WITH_MASTODON_ONLY_CUSTOM', false), + ], + + 'max_uses' => [ + /* + * Max Uses + * + * Using a centralized service operated by pixelfed.org that tracks mastodon imports, + * you can set a limit of how many times a mastodon account can be imported across + * all known and reporting Pixelfed instances to prevent the same masto account from + * abusing this + */ + 'enabled' => env('PF_LOGIN_WITH_MASTODON_ENFORCE_MAX_USES', true), + 'limit' => env('PF_LOGIN_WITH_MASTODON_MAX_USES_LIMIT', 3) + ] + ], +]; diff --git a/database/migrations/2023_07_07_025757_create_remote_auths_table.php b/database/migrations/2023_07_07_025757_create_remote_auths_table.php new file mode 100644 index 000000000..774965aa2 --- /dev/null +++ b/database/migrations/2023_07_07_025757_create_remote_auths_table.php @@ -0,0 +1,38 @@ +id(); + $table->string('software')->nullable(); + $table->string('domain')->nullable()->index(); + $table->string('webfinger')->nullable()->unique()->index(); + $table->unsignedInteger('instance_id')->nullable()->index(); + $table->unsignedInteger('user_id')->nullable()->unique()->index(); + $table->unsignedInteger('client_id')->nullable()->index(); + $table->string('ip_address')->nullable(); + $table->text('bearer_token')->nullable(); + $table->json('verify_credentials')->nullable(); + $table->timestamp('last_successful_login_at')->nullable(); + $table->timestamp('last_verify_credentials_at')->nullable(); + $table->timestamps(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::dropIfExists('remote_auths'); + } +}; diff --git a/database/migrations/2023_07_07_030427_create_remote_auth_instances_table.php b/database/migrations/2023_07_07_030427_create_remote_auth_instances_table.php new file mode 100644 index 000000000..690197b9b --- /dev/null +++ b/database/migrations/2023_07_07_030427_create_remote_auth_instances_table.php @@ -0,0 +1,37 @@ +id(); + $table->string('domain')->nullable()->unique()->index(); + $table->unsignedInteger('instance_id')->nullable()->index(); + $table->string('client_id')->nullable(); + $table->string('client_secret')->nullable(); + $table->string('redirect_uri')->nullable(); + $table->string('root_domain')->nullable()->index(); + $table->boolean('allowed')->nullable()->index(); + $table->boolean('banned')->default(false)->index(); + $table->boolean('active')->default(true)->index(); + $table->timestamp('last_refreshed_at')->nullable(); + $table->timestamps(); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::dropIfExists('remote_auth_instances'); + } +}; diff --git a/public/js/manifest.js b/public/js/manifest.js index 7380d20eb..e980ed49a 100644 --- a/public/js/manifest.js +++ b/public/js/manifest.js @@ -1 +1 @@ -(()=>{"use strict";var e,r,n,o={},t={};function c(e){var r=t[e];if(void 0!==r)return r.exports;var n=t[e]={id:e,loaded:!1,exports:{}};return o[e].call(n.exports,n,n.exports,c),n.loaded=!0,n.exports}c.m=o,e=[],c.O=(r,n,o,t)=>{if(!n){var d=1/0;for(f=0;f=t)&&Object.keys(c.O).every((e=>c.O[e](n[a])))?n.splice(a--,1):(i=!1,t0&&e[f-1][2]>t;f--)e[f]=e[f-1];e[f]=[n,o,t]},c.n=e=>{var r=e&&e.__esModule?()=>e.default:()=>e;return c.d(r,{a:r}),r},c.d=(e,r)=>{for(var n in r)c.o(r,n)&&!c.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:r[n]})},c.f={},c.e=e=>Promise.all(Object.keys(c.f).reduce(((r,n)=>(c.f[n](e,r),r)),[])),c.u=e=>"js/"+{1084:"profile~followers.bundle",2470:"home.chunk",2530:"discover~myhashtags.chunk",2586:"compose.chunk",2732:"dms~message.chunk",3351:"discover~settings.chunk",3365:"dms.chunk",3623:"discover~findfriends.chunk",4028:"error404.bundle",4958:"discover.chunk",4965:"discover~memories.chunk",5865:"post.chunk",6053:"notifications.chunk",6869:"profile.chunk",7019:"discover~hashtag.bundle",8250:"i18n.bundle",8517:"daci.chunk",8600:"changelog.bundle",8625:"profile~following.bundle",8900:"discover~serverfeed.chunk"}[e]+"."+{1084:"f088062414c3b014",2470:"2d93b527d492e6de",2530:"70e91906f0ce857a",2586:"6464688bf5b5ef97",2732:"990c68dfc266b0cf",3351:"72cc15c7b87b662d",3365:"98e12cf9137ddd87",3623:"006f0079e9f5a3eb",4028:"182d0aaa2da9ed23",4958:"56d2d8cfbbecc761",4965:"4c0973f4400f25b4",5865:"cd535334efc77c34",6053:"bf0c641eb1fd9cde",6869:"4049e1eecea398ee",7019:"54f2ac43c55bf328",8250:"4a5ff18de549ac4e",8517:"914d307d69fcfcd4",8600:"c4c82057f9628c72",8625:"57cbb89efa73e324",8900:"017fd16f00c55e60"}[e]+".js",c.miniCssF=e=>({138:"css/spa",703:"css/admin",1242:"css/appdark",6170:"css/app",8737:"css/portfolio",9994:"css/landing"}[e]+".css"),c.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),c.o=(e,r)=>Object.prototype.hasOwnProperty.call(e,r),r={},n="pixelfed:",c.l=(e,o,t,d)=>{if(r[e])r[e].push(o);else{var i,a;if(void 0!==t)for(var s=document.getElementsByTagName("script"),f=0;f{i.onerror=i.onload=null,clearTimeout(p);var t=r[e];if(delete r[e],i.parentNode&&i.parentNode.removeChild(i),t&&t.forEach((e=>e(o))),n)return n(o)},p=setTimeout(u.bind(null,void 0,{type:"timeout",target:i}),12e4);i.onerror=u.bind(null,i.onerror),i.onload=u.bind(null,i.onload),a&&document.head.appendChild(i)}},c.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},c.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),c.p="/",(()=>{var e={8929:0,1242:0,6170:0,8737:0,703:0,9994:0,138:0};c.f.j=(r,n)=>{var o=c.o(e,r)?e[r]:void 0;if(0!==o)if(o)n.push(o[2]);else if(/^(1242|138|6170|703|8737|8929|9994)$/.test(r))e[r]=0;else{var t=new Promise(((n,t)=>o=e[r]=[n,t]));n.push(o[2]=t);var d=c.p+c.u(r),i=new Error;c.l(d,(n=>{if(c.o(e,r)&&(0!==(o=e[r])&&(e[r]=void 0),o)){var t=n&&("load"===n.type?"missing":n.type),d=n&&n.target&&n.target.src;i.message="Loading chunk "+r+" failed.\n("+t+": "+d+")",i.name="ChunkLoadError",i.type=t,i.request=d,o[1](i)}}),"chunk-"+r,r)}},c.O.j=r=>0===e[r];var r=(r,n)=>{var o,t,[d,i,a]=n,s=0;if(d.some((r=>0!==e[r]))){for(o in i)c.o(i,o)&&(c.m[o]=i[o]);if(a)var f=a(c)}for(r&&r(n);s{"use strict";var e,r,n,o={},t={};function c(e){var r=t[e];if(void 0!==r)return r.exports;var n=t[e]={id:e,loaded:!1,exports:{}};return o[e].call(n.exports,n,n.exports,c),n.loaded=!0,n.exports}c.m=o,e=[],c.O=(r,n,o,t)=>{if(!n){var d=1/0;for(f=0;f=t)&&Object.keys(c.O).every((e=>c.O[e](n[a])))?n.splice(a--,1):(i=!1,t0&&e[f-1][2]>t;f--)e[f]=e[f-1];e[f]=[n,o,t]},c.n=e=>{var r=e&&e.__esModule?()=>e.default:()=>e;return c.d(r,{a:r}),r},c.d=(e,r)=>{for(var n in r)c.o(r,n)&&!c.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:r[n]})},c.f={},c.e=e=>Promise.all(Object.keys(c.f).reduce(((r,n)=>(c.f[n](e,r),r)),[])),c.u=e=>"js/"+{1084:"profile~followers.bundle",2470:"home.chunk",2530:"discover~myhashtags.chunk",2586:"compose.chunk",2732:"dms~message.chunk",3351:"discover~settings.chunk",3365:"dms.chunk",3623:"discover~findfriends.chunk",4028:"error404.bundle",4958:"discover.chunk",4965:"discover~memories.chunk",5865:"post.chunk",6053:"notifications.chunk",6869:"profile.chunk",7019:"discover~hashtag.bundle",8250:"i18n.bundle",8517:"daci.chunk",8600:"changelog.bundle",8625:"profile~following.bundle",8900:"discover~serverfeed.chunk"}[e]+"."+{1084:"f088062414c3b014",2470:"2d93b527d492e6de",2530:"70e91906f0ce857a",2586:"6464688bf5b5ef97",2732:"990c68dfc266b0cf",3351:"72cc15c7b87b662d",3365:"98e12cf9137ddd87",3623:"006f0079e9f5a3eb",4028:"182d0aaa2da9ed23",4958:"56d2d8cfbbecc761",4965:"4c0973f4400f25b4",5865:"cd535334efc77c34",6053:"bf0c641eb1fd9cde",6869:"2fefc77fa8b9e0d3",7019:"54f2ac43c55bf328",8250:"4a5ff18de549ac4e",8517:"914d307d69fcfcd4",8600:"c4c82057f9628c72",8625:"57cbb89efa73e324",8900:"017fd16f00c55e60"}[e]+".js",c.miniCssF=e=>({138:"css/spa",703:"css/admin",1242:"css/appdark",6170:"css/app",8737:"css/portfolio",9994:"css/landing"}[e]+".css"),c.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),c.o=(e,r)=>Object.prototype.hasOwnProperty.call(e,r),r={},n="pixelfed:",c.l=(e,o,t,d)=>{if(r[e])r[e].push(o);else{var i,a;if(void 0!==t)for(var s=document.getElementsByTagName("script"),f=0;f{i.onerror=i.onload=null,clearTimeout(b);var t=r[e];if(delete r[e],i.parentNode&&i.parentNode.removeChild(i),t&&t.forEach((e=>e(o))),n)return n(o)},b=setTimeout(u.bind(null,void 0,{type:"timeout",target:i}),12e4);i.onerror=u.bind(null,i.onerror),i.onload=u.bind(null,i.onload),a&&document.head.appendChild(i)}},c.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},c.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),c.p="/",(()=>{var e={8929:0,1242:0,6170:0,8737:0,703:0,9994:0,138:0};c.f.j=(r,n)=>{var o=c.o(e,r)?e[r]:void 0;if(0!==o)if(o)n.push(o[2]);else if(/^(1242|138|6170|703|8737|8929|9994)$/.test(r))e[r]=0;else{var t=new Promise(((n,t)=>o=e[r]=[n,t]));n.push(o[2]=t);var d=c.p+c.u(r),i=new Error;c.l(d,(n=>{if(c.o(e,r)&&(0!==(o=e[r])&&(e[r]=void 0),o)){var t=n&&("load"===n.type?"missing":n.type),d=n&&n.target&&n.target.src;i.message="Loading chunk "+r+" failed.\n("+t+": "+d+")",i.name="ChunkLoadError",i.type=t,i.request=d,o[1](i)}}),"chunk-"+r,r)}},c.O.j=r=>0===e[r];var r=(r,n)=>{var o,t,[d,i,a]=n,s=0;if(d.some((r=>0!==e[r]))){for(o in i)c.o(i,o)&&(c.m[o]=i[o]);if(a)var f=a(c)}for(r&&r(n);s{s.r(e),s.d(e,{default:()=>l});var o=s(42755),i=s(89965),a=s(85748),n=s(32303),r=s(24721);const l={props:{id:{type:String},profileId:{type:String},username:{type:String},cachedProfile:{type:Object},cachedUser:{type:Object}},components:{drawer:o.default,"profile-feed":i.default,"profile-sidebar":a.default,"profile-followers":n.default,"profile-following":r.default},data:function(){return{isLoaded:!1,curUser:void 0,tab:"index",profile:void 0,relationship:void 0}},mounted:function(){this.init()},watch:{$route:"init"},methods:{init:function(){this.tab="index",this.isLoaded=!1,this.relationship=void 0,this.owner=!1,this.cachedProfile&&this.cachedUser?(this.curUser=this.cachedUser,this.profile=this.cachedProfile,this.fetchRelationship()):(this.curUser=window._sharedData.user,this.fetchProfile())},getTabComponentName:function(){return"index"===this.tab?"profile-feed":"profile-".concat(this.tab)},fetchProfile:function(){var t=this,e=this.profileId?this.profileId:this.id;axios.get("/api/pixelfed/v1/accounts/"+e).then((function(e){t.profile=e.data,e.data.id==t.curUser.id?(t.owner=!0,t.fetchRelationship()):(t.owner=!1,t.fetchRelationship())})).catch((function(e){t.$router.push("/i/web/404")}))},fetchRelationship:function(){var t=this;if(this.owner)return this.relationship={},void(this.isLoaded=!0);axios.get("/api/v1/accounts/relationships",{params:{"id[]":this.profile.id}}).then((function(e){t.relationship=e.data[0],t.isLoaded=!0}))},toggleTab:function(t){this.tab=t},goBack:function(){this.$router.go(-1)},unfollow:function(){var t=this;axios.post("/api/v1/accounts/"+this.profile.id+"/unfollow").then((function(e){t.$store.commit("updateRelationship",[e.data]),t.relationship=e.data,t.profile.locked&&location.reload(),t.profile.followers_count--})).catch((function(e){swal("Oops!","An error occured when attempting to unfollow this account.","error"),t.relationship.following=!0}))},follow:function(){var t=this;axios.post("/api/v1/accounts/"+this.profile.id+"/follow").then((function(e){t.$store.commit("updateRelationship",[e.data]),t.relationship=e.data,t.profile.locked&&(t.relationship.requested=!0),t.profile.followers_count++})).catch((function(e){swal("Oops!","An error occured when attempting to follow this account.","error"),t.relationship.following=!1}))},updateRelationship:function(t){this.relationship=t}}}},52291:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(43985);const i={props:{hash:{type:String,required:!0},width:{type:[Number,String],default:32},height:{type:[Number,String],default:32},punch:{type:Number,default:1}},mounted:function(){this.draw()},updated:function(){},beforeDestroy:function(){},methods:{parseNumber:function(t){return"number"==typeof t?t:parseInt(t,10)},draw:function(){var t=this.parseNumber(this.width),e=this.parseNumber(this.height),s=this.parseNumber(this.punch),i=(0,o.decode)(this.hash,t,e,s),a=this.$refs.canvas.getContext("2d"),n=a.createImageData(t,e);n.data.set(i),a.putImageData(n,0,0)}}}},95217:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(26535),i=s(74338),a=s(37846),n=s(81104);const r={props:{status:{type:Object},profile:{type:Object},reactionBar:{type:Boolean,default:!0},useDropdownMenu:{type:Boolean,default:!1}},components:{"comment-drawer":o.default,"post-content":a.default,"post-header":i.default,"post-reactions":n.default},data:function(){return{key:1,menuLoading:!0,sensitive:!1,showCommentDrawer:!1,isReblogging:!1,isBookmarking:!1,owner:!1,admin:!1,license:!1}},mounted:function(){var t=this;this.license=!(!this.status.media_attachments||!this.status.media_attachments.length)&&this.status.media_attachments.filter((function(t){return t.hasOwnProperty("license")&&t.license&&t.license.hasOwnProperty("id")})).map((function(t){return t.license}))[0],this.admin=window._sharedData.user.is_admin,this.owner=this.status.account.id==window._sharedData.user.id,this.status.reply_count&&this.autoloadComments&&!1===this.status.comments_disabled&&setTimeout((function(){t.showCommentDrawer=!0}),1e3)},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}},fixedHeight:{get:function(){return 1==this.$store.state.fixedHeight}},autoloadComments:{get:function(){return 1==this.$store.state.autoloadComments}},newReactions:{get:function(){return this.$store.state.newReactions}}},watch:{status:{deep:!0,immediate:!0,handler:function(t,e){this.isBookmarking=!1}}},methods:{openMenu:function(){this.$emit("menu")},like:function(){this.$emit("like")},unlike:function(){this.$emit("unlike")},showLikes:function(){this.$emit("likes-modal")},showShares:function(){this.$emit("shares-modal")},showComments:function(){this.showCommentDrawer=!this.showCommentDrawer},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},shareStatus:function(){this.$emit("share")},unshareStatus:function(){this.$emit("unshare")},handleReport:function(t){this.$emit("handle-report",t)},follow:function(){this.$emit("follow")},unfollow:function(){this.$emit("unfollow")},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),5e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")}}}},89250:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={data:function(){return{user:window._sharedData.user}}}},8671:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object,default:{}}},data:function(){return{statusId:void 0,tabIndex:0,showFull:!1}},methods:{open:function(){this.$refs.modal.show()},close:function(){var t=this;this.$refs.modal.hide(),setTimeout((function(){t.tabIndex=0}),1e3)},handleReason:function(t){var e=this;this.tabIndex=2,axios.post("/i/report",{id:this.status.id,report:t,type:"post"}).then((function(t){e.tabIndex=3})).catch((function(t){e.tabIndex=5}))}}}},19444:(t,e,s)=>{s.r(e),s.d(e,{default:()=>l});var o=s(15235),i=s(80979),a=s(22583),n=s(38287),r=s(4268);const l={props:{status:{type:Object}},components:{VueTribute:o.default,ReadMore:i.default,ProfileHoverCard:a.default,CommentReplyForm:r.default,CommentReplies:n.default},data:function(){return{profile:window._sharedData.user,ids:[],feed:[],sortIndex:0,sorts:["all","newest","popular"],replyContent:void 0,nextUrl:void 0,canLoadMore:!1,isPostingReply:!1,showReplyOptions:!1,feedLoading:!1,isUploading:!1,uploadProgress:0,lightboxStatus:null,settings:{expanded:!1,sensitive:!1},tributeSettings:{noMatchTemplate:null,collection:[{trigger:"@",menuShowMinLength:2,values:function(t,e){axios.get("/api/compose/v0/search/mention",{params:{q:t}}).then((function(t){e(t.data)})).catch((function(t){e(),console.log(t)}))}},{trigger:"#",menuShowMinLength:2,values:function(t,e){axios.get("/api/compose/v0/search/hashtag",{params:{q:t}}).then((function(t){e(t.data)})).catch((function(t){e(),console.log(t)}))}}]},showEmptyRepliesRefresh:!1,commentReplyIndex:void 0,deletingIndex:void 0}},mounted:function(){this.fetchContext()},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}}},methods:{fetchContext:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),e.data&&e.data.data&&(e.data.data.length||!t.status.reply_count)||(t.showEmptyRepliesRefresh=!0)}))},fetchMore:function(){var t,e=this,s=arguments.length>0&&void 0!==arguments[0]?arguments[0]:3;event&&(null===(t=event.target)||void 0===t||t.blur());this.nextUrl&&axios.get(this.nextUrl,{params:{limit:s,sort:this.sorts[this.sortIndex]}}).then((function(t){e.feedLoading=!1,t.data.next||(e.canLoadMore=!1),e.nextUrl=t.data.next,t.data.data.forEach((function(t){e.ids&&-1==e.ids.indexOf(t.id)&&(e.ids.push(t.id),e.feed.push(t))}))}))},fetchSortedFeed:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feed=e.data.data,t.nextUrl=e.data.next,t.feedLoading=!1}))},forceRefresh:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,refresh_cache:!0}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),t.showEmptyRepliesRefresh=!1}))},timeago:function(t){return App.util.format.timeAgo(t)},prettyCount:function(t){return App.util.format.count(t)},goToPost:function(t){this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.status.id,sensitive:this.settings.sensitive}).then((function(e){var s=e.data;s.replies=[],t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.feed.push(s),t.$emit("counter-change","comment-increment")}))},toggleSort:function(t){this.$refs.sortMenu.hide(),this.feedLoading=!0,this.sortIndex=t,this.fetchSortedFeed()},deleteComment:function(t){var e=this;event.currentTarget.blur(),window.confirm(this.$t("menu.deletePostConfirm"))&&(this.deletingIndex=t,axios.post("/i/delete",{type:"status",item:this.feed[t].id}).then((function(s){e.ids&&e.ids.length&&e.ids.splice(t,1),e.feed&&e.feed.length&&e.feed.splice(t,1),e.$emit("counter-change","comment-decrement")})).then((function(){e.deletingIndex=void 0,e.fetchMore(1)})))},showLikesModal:function(t){this.$emit("show-likes",this.feed[t])},reportComment:function(t){this.$emit("handle-report",this.feed[t])},likeComment:function(t){event.currentTarget.blur();var e=this.feed[t],s=e.favourites_count,o=e.favourited;this.feed[t].favourited=!this.feed[t].favourited,this.feed[t].favourites_count=o?s-1:s+1,axios.post("/api/v1/statuses/"+e.id+"/"+(o?"unfavourite":"favourite")).then((function(t){}))},toggleShowReplyOptions:function(){event.currentTarget.blur(),this.showReplyOptions=!this.showReplyOptions},replyUpload:function(){event.currentTarget.blur(),this.$refs.fileInput.click()},handleImageUpload:function(){var t=this;if(this.$refs.fileInput.files.length){this.isUploading=!0;var e=new FormData;e.append("file",this.$refs.fileInput.files[0]),axios.post("/api/v1/media",e).then((function(e){axios.post("/api/v1/statuses",{status:t.replyContent,media_ids:[e.data.id],in_reply_to_id:t.status.id,sensitive:t.settings.sensitive}).then((function(e){t.feed.push(e.data),t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.$emit("counter-change","comment-increment")}))}))}},lightbox:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;this.lightboxStatus=t.media_attachments[e],this.$refs.lightboxModal.show()},hideLightbox:function(){this.lightboxStatus=null,this.$refs.lightboxModal.hide()},blurhashWidth:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?30:20},blurhashHeight:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?20:30},getMediaSource:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,s=t.media_attachments[e];return s.preview_url.endsWith("storage/no-preview.png")?s.url:s.preview_url},toggleReplyExpand:function(){event.currentTarget.blur(),this.settings.expanded=!this.settings.expanded},toggleCommentReply:function(t){this.commentReplyIndex=t,this.showCommentReplies(t)},showCommentReplies:function(t){if(this.feed[t].hasOwnProperty("replies_show")&&this.feed[t].replies_show)return this.feed[t].replies_show=!1,void(this.commentReplyIndex=void 0);this.feed[t].replies_show=!0,this.commentReplyIndex=t,this.fetchCommentReplies(t)},hideCommentReplies:function(t){this.commentReplyIndex=void 0,this.feed[t].replies_show=!1},fetchCommentReplies:function(t){var e=this;axios.get("/api/v2/statuses/"+this.feed[t].id+"/replies",{params:{limit:3}}).then((function(s){e.feed[t].replies=s.data.data}))},getPostAvatar:function(t){return this.profile.id==t.account.id?window._sharedData.user.avatar:t.account.avatar},follow:function(t){var e=this;axios.post("/api/v1/accounts/"+this.feed[t].account.id+"/follow").then((function(s){e.$store.commit("updateRelationship",[s.data]),e.feed[t].account.followers_count=e.feed[t].account.followers_count+1,window._sharedData.user.following_count=window._sharedData.user.following_count+1}))},unfollow:function(t){var e=this;axios.post("/api/v1/accounts/"+this.feed[t].account.id+"/unfollow").then((function(s){e.$store.commit("updateRelationship",[s.data]),e.feed[t].account.followers_count=e.feed[t].account.followers_count-1,window._sharedData.user.following_count=window._sharedData.user.following_count-1}))},handleCounterChange:function(t){this.$emit("counter-change",t)},pushCommentReply:function(t,e){this.feed[t].hasOwnProperty("replies")?this.feed[t].replies.push(e):this.feed[t].replies=[e],this.feed[t].reply_count=this.feed[t].reply_count+1,this.feed[t].replies_show=!0},replyCounterChange:function(t,e){switch(e){case"comment-increment":this.feed[t].reply_count=this.feed[t].reply_count+1;break;case"comment-decrement":this.feed[t].reply_count=this.feed[t].reply_count-1}}}}},13143:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(80979);const i={props:{status:{type:Object},feed:{type:Array}},components:{ReadMore:o.default},data:function(){return{loading:!0,profile:window._sharedData.user,ids:[],nextUrl:void 0,canLoadMore:!1}},watch:{feed:{deep:!0,immediate:!0,handler:function(t,e){this.loading=!1}}},methods:{fetchContext:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),e.data&&e.data.data&&(e.data.data.length||!t.status.reply_count)||(t.showEmptyRepliesRefresh=!0)}))},fetchMore:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:3;axios.get(this.nextUrl,{params:{limit:e,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feedLoading=!1,e.data.next||(t.canLoadMore=!1),t.nextUrl=e.data.next,e.data.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.feed.push(e))}))}))},fetchSortedFeed:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feed=e.data.data,t.nextUrl=e.data.next,t.feedLoading=!1}))},forceRefresh:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,refresh_cache:!0}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),t.showEmptyRepliesRefresh=!1}))},timeago:function(t){return App.util.format.timeAgo(t)},prettyCount:function(t){return App.util.format.count(t)},goToPost:function(t){this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.status.id,sensitive:this.settings.sensitive}).then((function(e){t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.feed.push(e.data),t.$emit("new-comment",e.data)}))},toggleSort:function(t){this.$refs.sortMenu.hide(),this.feedLoading=!0,this.sortIndex=t,this.fetchSortedFeed()},deleteComment:function(t){var e=this;event.currentTarget.blur(),window.confirm(this.$t("menu.deletePostConfirm"))&&axios.post("/i/delete",{type:"status",item:this.feed[t].id}).then((function(s){e.feed.splice(t,1),e.$emit("counter-change","comment-decrement"),e.fetchMore(1)})).catch((function(t){}))},showLikesModal:function(t){this.$emit("show-likes",this.feed[t])},reportComment:function(t){this.$emit("handle-report",this.feed[t])},likeComment:function(t){event.currentTarget.blur();var e=this.feed[t],s=e.favourites_count,o=e.favourited;this.feed[t].favourited=!this.feed[t].favourited,this.feed[t].favourites_count=o?s-1:s+1,axios.post("/api/v1/statuses/"+e.id+"/"+(o?"unfavourite":"favourite")).then((function(t){}))},toggleShowReplyOptions:function(){event.currentTarget.blur(),this.showReplyOptions=!this.showReplyOptions},replyUpload:function(){event.currentTarget.blur(),this.$refs.fileInput.click()},handleImageUpload:function(){var t=this;if(this.$refs.fileInput.files.length){this.isUploading=!0;var e=new FormData;e.append("file",this.$refs.fileInput.files[0]),axios.post("/api/v1/media",e).then((function(e){axios.post("/api/v1/statuses",{media_ids:[e.data.id],in_reply_to_id:t.status.id,sensitive:t.settings.sensitive}).then((function(e){t.feed.push(e.data)}))}))}},lightbox:function(t){this.lightboxStatus=t.media_attachments[0],this.$refs.lightboxModal.show()},hideLightbox:function(){this.lightboxStatus=null,this.$refs.lightboxModal.hide()},blurhashWidth:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?30:20},blurhashHeight:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?20:30},getMediaSource:function(t){var e=t.media_attachments[0];return e.preview_url.endsWith("storage/no-preview.png")?e.url:e.preview_url},toggleReplyExpand:function(){event.currentTarget.blur(),this.settings.expanded=!this.settings.expanded},toggleCommentReply:function(t){this.commentReplyIndex=t}}}},3861:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{parentId:{type:String}},data:function(){return{config:App.config,isPostingReply:!1,replyContent:"",profile:window._sharedData.user,sensitive:!1}},methods:{storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.parentId,sensitive:this.sensitive}).then((function(e){t.replyContent=void 0,t.isPostingReply=!1,t.$emit("new-comment",e.data)}))}}}},60658:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(19755);const i={props:["status","profile"],data:function(){return{config:window.App.config,ctxMenuStatus:!1,ctxMenuRelationship:!1,ctxEmbedPayload:!1,copiedEmbed:!1,replySending:!1,ctxEmbedShowCaption:!0,ctxEmbedShowLikes:!1,ctxEmbedCompactMode:!1,confirmModalTitle:"Are you sure?",confirmModalIdentifer:null,confirmModalType:!1,isDeleting:!1}},watch:{ctxEmbedShowCaption:function(t,e){1==t&&(this.ctxEmbedCompactMode=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)},ctxEmbedShowLikes:function(t,e){1==t&&(this.ctxEmbedCompactMode=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)},ctxEmbedCompactMode:function(t,e){1==t&&(this.ctxEmbedShowCaption=!1,this.ctxEmbedShowLikes=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)}},methods:{open:function(){this.ctxMenu()},openModMenu:function(){this.$refs.ctxModModal.show()},ctxMenu:function(){this.ctxMenuStatus=this.status,this.ctxEmbedPayload=window.App.util.embed.post(this.status.url),this.ctxMenuRelationship=!1,this.$refs.ctxModal.show()},closeCtxMenu:function(){this.copiedEmbed=!1,this.ctxMenuStatus=!1,this.ctxMenuRelationship=!1,this.$refs.ctxModal.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxReportOther.hide(),this.closeModals()},ctxMenuCopyLink:function(){var t=this.ctxMenuStatus;navigator.clipboard.writeText(t.url),this.closeModals()},ctxMenuGoToPost:function(){var t=this.ctxMenuStatus;this.statusUrl(t),this.closeCtxMenu()},ctxMenuGoToProfile:function(){var t=this.ctxMenuStatus;this.profileUrl(t),this.closeCtxMenu()},ctxMenuReportPost:function(){this.$refs.ctxModal.hide(),this.$emit("report-modal",this.ctxMenuStatus)},ctxMenuEmbed:function(){this.closeModals(),this.$refs.ctxEmbedModal.show()},ctxMenuShare:function(){this.$refs.ctxModal.hide(),this.$refs.ctxShareModal.show()},closeCtxShareMenu:function(){this.$refs.ctxShareModal.hide(),this.$refs.ctxModal.show()},ctxCopyEmbed:function(){navigator.clipboard.writeText(this.ctxEmbedPayload),this.ctxEmbedShowCaption=!0,this.ctxEmbedShowLikes=!1,this.ctxEmbedCompactMode=!1,this.$refs.ctxEmbedModal.hide()},ctxModMenuShow:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.show()},ctxModOtherMenuShow:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.hide(),this.$refs.ctxModOtherModal.show()},ctxModMenu:function(){this.$refs.ctxModal.hide()},ctxModMenuClose:function(){this.closeModals()},ctxModOtherMenuClose:function(){this.closeModals(),this.$refs.ctxModModal.show()},formatCount:function(t){return App.util.format.count(t)},openCtxReportOtherMenu:function(){var t=this.ctxMenuStatus;this.closeCtxMenu(),this.ctxMenuStatus=t,this.$refs.ctxReportOther.show()},ctxReportMenuGoBack:function(){this.$refs.ctxReportOther.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxModal.show()},ctxReportOtherMenuGoBack:function(){this.$refs.ctxReportOther.hide(),this.$refs.ctxModal.hide(),this.$refs.ctxReport.show()},sendReport:function(t){var e=this,s=this.ctxMenuStatus.id;swal({title:this.$t("menu.confirmReport"),text:this.$t("menu.confirmReportText"),icon:"warning",buttons:!0,dangerMode:!0}).then((function(o){o?axios.post("/i/report/",{report:t,type:"post",id:s}).then((function(t){e.closeCtxMenu(),swal(e.$t("menu.reportSent"),e.$t("menu.reportSentText"),"success")})).catch((function(t){swal(e.$t("common.oops"),e.$t("menu.reportSentError"),"error")})):e.closeCtxMenu()}))},closeModals:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.hide(),this.$refs.ctxModOtherModal.hide(),this.$refs.ctxShareModal.hide(),this.$refs.ctxEmbedModal.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxReportOther.hide(),this.$refs.ctxConfirm.hide()},openCtxStatusModal:function(){this.closeModals(),this.$refs.ctxStatusModal.show()},openConfirmModal:function(){this.closeModals(),this.$refs.ctxConfirm.show()},closeConfirmModal:function(){this.closeModals(),this.confirmModalTitle="Are you sure?",this.confirmModalType=!1,this.confirmModalIdentifer=null},confirmModalConfirm:function(){var t=this;if("post.delete"===this.confirmModalType)axios.post("/i/delete",{type:"status",item:this.confirmModalIdentifer}).then((function(e){t.feed=t.feed.filter((function(e){return e.id!=t.confirmModalIdentifer})),t.closeConfirmModal()})).catch((function(e){t.closeConfirmModal(),swal(t.$t("common.error"),t.$t("common.errorMsg"),"error")}));this.closeConfirmModal()},confirmModalCancel:function(){this.closeConfirmModal()},moderatePost:function(t,e,s){var o=this,i=(t.account.username,t.id,""),a=this;switch(e){case"addcw":i=this.$t("menu.modAddCWConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){swal(o.$t("common.success"),o.$t("menu.modCWSuccess"),"success"),o.$emit("moderate","addcw"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"remcw":i=this.$t("menu.modRemoveCWConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){swal(o.$t("common.success"),o.$t("menu.modRemoveCWSuccess"),"success"),o.$emit("moderate","remcw"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"unlist":i=this.$t("menu.modUnlistConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){o.$emit("moderate","unlist"),swal(o.$t("common.success"),o.$t("menu.modUnlistSuccess"),"success"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"spammer":i=this.$t("menu.modMarkAsSpammerConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){o.$emit("moderate","spammer"),swal(o.$t("common.success"),o.$t("menu.modMarkAsSpammerSuccess"),"success"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}))}},shareStatus:function(t,e){var s=this;0!=o("body").hasClass("loggedIn")&&(this.closeModals(),axios.post("/i/share",{item:t.id}).then((function(e){t.reblogs_count=e.data.count,t.reblogged=!t.reblogged})).catch((function(t){swal(s.$t("common.error"),s.$t("common.errorMsg"),"error")})))},statusUrl:function(t){if(1!=t.account.local)return this.$route.params.hasOwnProperty("id")?void(location.href=t.url):void this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}});this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},profileUrl:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.account.id),params:{id:t.account.id,cachedProfile:t.account,cachedUser:this.profile}})},deletePost:function(t){var e=this;this.isDeleting=!0,0!=this.ownerOrAdmin(t)&&0!=window.confirm(this.$t("menu.deletePostConfirm"))&&axios.post("/i/delete",{type:"status",item:t.id}).then((function(t){e.$emit("delete"),e.closeModals(),e.isDeleting=!1})).catch((function(t){swal(e.$t("common.error"),e.$t("common.errorMsg"),"error")}))},owner:function(t){return this.profile.id===t.account.id},admin:function(){return 1==this.profile.is_admin},ownerOrAdmin:function(t){return this.owner(t)||this.admin()},archivePost:function(t){var e=this;0!=window.confirm(this.$t("menu.archivePostConfirm"))&&axios.post("/api/pixelfed/v2/status/"+t.id+"/archive").then((function(s){e.$emit("status-delete",t.id),e.$emit("archived",t.id),e.closeModals()}))},unarchivePost:function(t){var e=this;0!=window.confirm(this.$t("menu.unarchivePostConfirm"))&&axios.post("/api/pixelfed/v2/status/"+t.id+"/unarchive").then((function(s){e.$emit("unarchived",t.id),e.closeModals()}))},editPost:function(t){this.closeModals(),this.$emit("edit",t)}}}},42562:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object}},data:function(){return{isOpen:!1,isLoading:!0,allHistory:[],historyIndex:void 0,user:window._sharedData.user}},methods:{open:function(){var t=this;this.isOpen=!0,this.isLoading=!0,this.historyIndex=void 0,this.allHistory=[],setTimeout((function(){t.fetchHistory()}),300)},fetchHistory:function(){var t=this;axios.get("/api/v1/statuses/".concat(this.status.id,"/history")).then((function(e){t.allHistory=e.data})).finally((function(){t.isLoading=!1}))},getDiff:function(t){if(t==this.allHistory.length-1)return this.allHistory[this.allHistory.length-1].content;var e=document.createElement("div");return r.forEach((function(t){var s=t.added?"green":t.removed?"red":"grey",o=document.createElement("span");(o.style.color=s,console.log(t.value,t.value.length),t.added)?t.value.trim().length?o.appendChild(document.createTextNode(t.value)):o.appendChild(document.createTextNode("·")):o.appendChild(document.createTextNode(t.value));e.appendChild(o)})),e.innerHTML},formatTime:function(t){var e=Date.parse(t),s=Math.floor((new Date-e)/1e3),o=Math.floor(s/63072e3);return o<0?"0s":o>=1?o+(1==o?" year":" years")+" ago":(o=Math.floor(s/604800))>=1?o+(1==o?" week":" weeks")+" ago":(o=Math.floor(s/86400))>=1?o+(1==o?" day":" days")+" ago":(o=Math.floor(s/3600))>=1?o+(1==o?" hour":" hours")+" ago":(o=Math.floor(s/60))>=1?o+(1==o?" minute":" minutes")+" ago":Math.floor(s)+" seconds ago"},postType:function(){if(void 0!==this.historyIndex){var t=this.allHistory[this.historyIndex];if(!t)return"text";var e=t.media_attachments;return e&&e.length?1==e.length?e[0].type:"album":"text"}}}}},36935:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78423),i=s(48510),a=s(10831);const n={props:{status:{type:Object},profile:{type:Object}},components:{intersect:o.default,"like-placeholder":i.default},data:function(){return{isOpen:!1,isLoading:!0,canLoadMore:!1,isFetchingMore:!1,likes:[],ids:[],cursor:void 0,isUpdatingFollowState:!1,followStateIndex:void 0,user:window._sharedData.user}},methods:{clear:function(){this.isOpen=!1,this.isLoading=!0,this.canLoadMore=!1,this.isFetchingMore=!1,this.likes=[],this.ids=[],this.cursor=void 0},fetchLikes:function(){var t=this;axios.get("/api/v1/statuses/"+this.status.id+"/favourited_by",{params:{limit:40,_pe:1}}).then((function(e){if(t.ids=e.data.map((function(t){return t.id})),t.likes=e.data,e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?(t.cursor=s.prev.cursor,t.canLoadMore=!0):t.canLoadMore=!1}else t.canLoadMore=!1;t.isLoading=!1}))},open:function(){this.cursor&&this.clear(),this.isOpen=!0,this.fetchLikes(),this.$refs.likesModal.show()},enterIntersect:function(){var t=this;this.isFetchingMore||(this.isFetchingMore=!0,axios.get("/api/v1/statuses/"+this.status.id+"/favourited_by",{params:{limit:10,cursor:this.cursor,_pe:1}}).then((function(e){if(!e.data||!e.data.length)return t.canLoadMore=!1,void(t.isFetchingMore=!1);if(e.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.likes.push(e))})),e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?t.cursor=s.prev.cursor:t.canLoadMore=!1}else t.canLoadMore=!1;t.isFetchingMore=!1})))},getUsername:function(t){return t.display_name?t.display_name:t.username},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},handleFollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/follow").then((function(s){e.likes[t].follows=!0,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))},handleUnfollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/unfollow").then((function(s){e.likes[t].follows=!1,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))}}}},92606:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(99347);const i={props:["status"],components:{"read-more":s(80979).default},data:function(){return{key:1,sensitive:!1}},computed:{fixedHeight:{get:function(){return 1==this.$store.state.fixedHeight}}},methods:{toggleLightbox:function(t){(0,o.default)({el:t.target})},toggleContentWarning:function(){this.key++,this.sensitive=!0,this.status.sensitive=!this.status.sensitive},getPoster:function(t){var e=t.media_attachments[0].preview_url;if(!e.endsWith("no-preview.jpg")&&!e.endsWith("no-preview.png"))return e}}}},51815:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(22583),i=s(248);const a={props:{status:{type:Object},profile:{type:Object},useDropdownMenu:{type:Boolean,default:!1}},components:{"profile-hover-card":o.default,"edit-history-modal":i.default},data:function(){return{config:window.App.config,menuLoading:!0,owner:!1,admin:!1,license:!1}},methods:{timeago:function(t){var e=App.util.format.timeAgo(t);return e.endsWith("s")||e.endsWith("m")||e.endsWith("h")?e:new Intl.DateTimeFormat(void 0,{year:"numeric",month:"short",day:"numeric",hour:"numeric",minute:"numeric"}).format(new Date(t))},openMenu:function(){this.$emit("menu")},scopeIcon:function(t){switch(t){case"public":default:return"far fa-globe";case"unlisted":return"far fa-lock-open";case"private":return"far fa-lock"}},scopeTitle:function(t){switch(t){case"public":return"Visible to everyone";case"unlisted":return"Hidden from public feeds";case"private":return"Only visible to followers";default:return""}},goToPost:function(){location.pathname.split("/").pop()!=this.status.id?this.$router.push({name:"post",path:"/i/web/post/".concat(this.status.id),params:{id:this.status.id,cachedStatus:this.status,cachedProfile:this.profile}}):location.href=this.status.local?this.status.url+"?fs=1":this.status.url},goToProfile:function(){var t=this;this.$nextTick((function(){t.$router.push({name:"profile",path:"/i/web/profile/".concat(t.status.account.id),params:{id:t.status.account.id,cachedProfile:t.status.account,cachedUser:t.profile}})}))},toggleContentWarning:function(){this.key++,this.sensitive=!0,this.status.sensitive=!this.status.sensitive},like:function(){event.currentTarget.blur(),this.status.favourited?this.$emit("unlike"):this.$emit("like")},toggleMenu:function(t){var e=this;setTimeout((function(){e.menuLoading=!1}),500)},closeMenu:function(t){setTimeout((function(){t.target.parentNode.firstElementChild.blur()}),100)},showLikes:function(){event.currentTarget.blur(),this.$emit("likes-modal")},showShares:function(){event.currentTarget.blur(),this.$emit("shares-modal")},showComments:function(){event.currentTarget.blur(),this.showCommentDrawer=!this.showCommentDrawer},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},shareStatus:function(){this.$emit("share")},unshareStatus:function(){this.$emit("unshare")},handleReport:function(t){this.$emit("handle-report",t)},follow:function(){this.$emit("follow")},unfollow:function(){this.$emit("unfollow")},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),5e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")},openEditModal:function(){this.$refs.editModal.open()}}}},17810:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(26535),i=s(22583);const a={props:{status:{type:Object},profile:{type:Object},admin:{type:Boolean,default:!1}},components:{"comment-drawer":o.default,"profile-hover-card":i.default},data:function(){return{key:1,menuLoading:!0,sensitive:!1,isReblogging:!1,isBookmarking:!1,owner:!1,license:!1}},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}},autoloadComments:{get:function(){return 1==this.$store.state.autoloadComments}},newReactions:{get:function(){return this.$store.state.newReactions}},likesCount:function(){return this.status.favourites_count},replyCount:function(){return this.status.reply_count}},methods:{count:function(t){return App.util.format.count(t)},like:function(){event.currentTarget.blur(),this.status.favourited?this.$emit("unlike"):this.$emit("like")},showLikes:function(){event.currentTarget.blur(),this.$emit("likes-modal")},showShares:function(){event.currentTarget.blur(),this.$emit("shares-modal")},showComments:function(){event.currentTarget.blur(),this.$emit("toggle-comments")},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),2e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")}}}},2011:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object},cursorLimit:{type:Number,default:200}},data:function(){return{preRender:void 0,fullContent:null,content:null,cursor:200}},mounted:function(){this.rewriteLinks()},methods:{readMore:function(){this.cursor=this.cursor+200,this.content=this.fullContent.substr(0,this.cursor)},rewriteLinks:function(){var t=this,e=this.status.content,s=document.createElement("div");s.innerHTML=e,s.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),s.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.status.account.local&&!s.includes("@")){var o=document.createElement("a");o.href=e.getAttribute("href"),s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.content=s.outerHTML,this.injectCustomEmoji()},injectCustomEmoji:function(){var t=this;this.status.emojis.forEach((function(e){var s=''.concat(e.shortcode,'');t.content=t.content.replace(":".concat(e.shortcode,":"),s)}))}}}},24489:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78423),i=s(48510),a=s(10831);const n={props:{status:{type:Object},profile:{type:Object}},components:{intersect:o.default,"like-placeholder":i.default},data:function(){return{isOpen:!1,isLoading:!0,canLoadMore:!1,isFetchingMore:!1,likes:[],ids:[],cursor:void 0,isUpdatingFollowState:!1,followStateIndex:void 0,user:window._sharedData.user}},methods:{clear:function(){this.isOpen=!1,this.isLoading=!0,this.canLoadMore=!1,this.isFetchingMore=!1,this.likes=[],this.ids=[],this.cursor=void 0},fetchShares:function(){var t=this;axios.get("/api/v1/statuses/"+this.status.id+"/reblogged_by",{params:{limit:40,_pe:1}}).then((function(e){if(t.ids=e.data.map((function(t){return t.id})),t.likes=e.data,e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?(t.cursor=s.prev.cursor,t.canLoadMore=!0):t.canLoadMore=!1}else t.canLoadMore=!1;t.isLoading=!1}))},open:function(){this.cursor&&this.clear(),this.isOpen=!0,this.fetchShares(),this.$refs.sharesModal.show()},enterIntersect:function(){var t=this;this.isFetchingMore||(this.isFetchingMore=!0,axios.get("/api/v1/statuses/"+this.status.id+"/reblogged_by",{params:{limit:10,cursor:this.cursor,_pe:1}}).then((function(e){if(!e.data||!e.data.length)return t.canLoadMore=!1,void(t.isFetchingMore=!1);if(e.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.likes.push(e))})),e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?t.cursor=s.prev.cursor:t.canLoadMore=!1}else t.canLoadMore=!1;t.isFetchingMore=!1})))},getUsername:function(t){return t.display_name?t.display_name:t.username},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},handleFollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/follow").then((function(s){e.likes[t].follows=!0,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))},handleUnfollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/unfollow").then((function(s){e.likes[t].follows=!1,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))}}}},84797:(t,e,s)=>{s.r(e),s.d(e,{default:()=>h});var o=s(78423),i=s(99247),a=s(45836),n=s(90086),r=s(8829),l=s(5327),c=s(31823),d=s(21917),u=s(10831);function f(t){return function(t){if(Array.isArray(t))return p(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return p(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return p(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function p(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s0})),o=s.map((function(t){return t.id}));t.ids=o,t.max_id=Math.min.apply(Math,f(o)),s.forEach((function(e){t.feed.push(e)})),setTimeout((function(){t.canLoadMore=e.data.length>1,t.feedLoaded=!0}),500)}))},enterIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v1/accounts/"+this.profile.id+"/statuses",{params:{limit:9,only_media:!0,max_id:this.max_id}}).then((function(e){e.data&&e.data.length||(t.canLoadMore=!1);var s=e.data.filter((function(t){return t.media_attachments.length>0})).filter((function(e){return-1==t.ids.indexOf(e.id)}));if(!s||!s.length)return t.canLoadMore=!1,void(t.isIntersecting=!1);s.forEach((function(e){e.id=1})).catch((function(e){t.canLoadMore=!1})))},toggleLayout:function(t){arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&event.currentTarget.blur(),this.layoutIndex=t,this.isIntersecting=!1},toggleTab:function(t){switch(event.currentTarget.blur(),t){case 1:this.isIntersecting=!1,this.tabIndex=1;break;case 2:this.fetchCollections();break;case 3:this.fetchFavourites();break;case"bookmarks":this.fetchBookmarks();break;case"archives":this.fetchArchives()}},fetchCollections:function(){var t=this;this.collectionsLoaded&&(this.tabIndex=2),axios.get("/api/local/profile/collections/"+this.profile.id).then((function(e){t.collections=e.data,t.collectionsLoaded=!0,t.tabIndex=2,t.collectionsPage++,t.canLoadMoreCollections=9===e.data.length}))},enterCollectionsIntersect:function(){var t=this;this.isCollectionsIntersecting||(this.isCollectionsIntersecting=!0,axios.get("/api/local/profile/collections/"+this.profile.id,{params:{limit:9,page:this.collectionsPage}}).then((function(e){var s;e.data&&e.data.length||(t.canLoadMoreCollections=!1),t.collectionsLoaded=!0,(s=t.collections).push.apply(s,f(e.data)),t.collectionsPage++,t.canLoadMoreCollections=e.data.length>0,t.isCollectionsIntersecting=!1})).catch((function(e){t.canLoadMoreCollections=!1,t.isCollectionsIntersecting=!1})))},fetchFavourites:function(){var t=this;this.tabIndex=0,axios.get("/api/pixelfed/v1/favourites").then((function(e){t.tabIndex=3,t.favourites=e.data,t.favouritesPage++,t.favouritesLoaded=!0,0!=e.data.length&&(t.canLoadMoreFavourites=!0)}))},enterFavouritesIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v1/favourites",{params:{page:this.favouritesPage}}).then((function(e){var s;(s=t.favourites).push.apply(s,f(e.data)),t.favouritesPage++,t.canLoadMoreFavourites=0!=e.data.length,t.isIntersecting=!1})).catch((function(e){t.canLoadMoreFavourites=!1})))},fetchBookmarks:function(){var t=this;this.tabIndex=0,axios.get("/api/v1/bookmarks",{params:{_pe:1}}).then((function(e){if(t.tabIndex="bookmarks",t.bookmarks=e.data,e.headers&&e.headers.link){var s=(0,u.parseLinkHeader)(e.headers.link);s.next?(t.bookmarksPage=s.next.cursor,t.canLoadMoreBookmarks=!0):t.canLoadMoreBookmarks=!1}t.bookmarksLoaded=!0}))},enterBookmarksIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/v1/bookmarks",{params:{_pe:1,cursor:this.bookmarksPage}}).then((function(e){var s;if((s=t.bookmarks).push.apply(s,f(e.data)),e.headers&&e.headers.link){var o=(0,u.parseLinkHeader)(e.headers.link);o.next?(t.bookmarksPage=o.next.cursor,t.canLoadMoreBookmarks=!0):t.canLoadMoreBookmarks=!1}t.isIntersecting=!1})).catch((function(e){t.canLoadMoreBookmarks=!1})))},fetchArchives:function(){var t=this;this.tabIndex=0,axios.get("/api/pixelfed/v2/statuses/archives").then((function(e){t.tabIndex="archives",t.archives=e.data,t.archivesPage++,t.archivesLoaded=!0,0!=e.data.length&&(t.canLoadMoreArchives=!0)}))},formatCount:function(t){return App.util.format.count(t)},statusUrl:function(t){return"/i/web/post/"+t.id},previewUrl:function(t){return t.sensitive?"/storage/no-preview.png?v="+(new Date).getTime():t.media_attachments[0].url},timeago:function(t){return App.util.format.timeAgo(t)},likeStatus:function(t){var e=this,s=this.feed[t],o=(s.favourited,s.favourites_count);this.feed[t].favourites_count=o+1,this.feed[t].favourited=!s.favourited,axios.post("/api/v1/statuses/"+s.id+"/favourite").catch((function(s){e.feed[t].favourites_count=o,e.feed[t].favourited=!1}))},unlikeStatus:function(t){var e=this,s=this.feed[t],o=(s.favourited,s.favourites_count);this.feed[t].favourites_count=o-1,this.feed[t].favourited=!s.favourited,axios.post("/api/v1/statuses/"+s.id+"/unfavourite").catch((function(s){e.feed[t].favourites_count=o,e.feed[t].favourited=!1}))},openContextMenu:function(t){var e=this;switch(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"feed"){case"feed":this.postIndex=t,this.contextMenuPost=this.feed[t];break;case"archive":this.postIndex=t,this.contextMenuPost=this.archives[t]}this.showMenu=!0,this.$nextTick((function(){e.$refs.contextMenu.open()}))},openLikesModal:function(t){var e=this;this.postIndex=t,this.likesModalPost=this.feed[this.postIndex],this.showLikesModal=!0,this.$nextTick((function(){e.$refs.likesModal.open()}))},openSharesModal:function(t){var e=this;this.postIndex=t,this.sharesModalPost=this.feed[this.postIndex],this.showSharesModal=!0,this.$nextTick((function(){e.$refs.sharesModal.open()}))},commitModeration:function(t){var e=this.postIndex;switch(t){case"addcw":this.feed[e].sensitive=!0;break;case"remcw":this.feed[e].sensitive=!1;break;case"unlist":this.feed.splice(e,1);break;case"spammer":var s=this.feed[e].account.id;this.feed=this.feed.filter((function(t){return t.account.id!=s}))}},counterChange:function(t,e){switch(e){case"comment-increment":this.feed[t].reply_count=this.feed[t].reply_count+1;break;case"comment-decrement":this.feed[t].reply_count=this.feed[t].reply_count-1}},openCommentLikesModal:function(t){var e=this;this.likesModalPost=t,this.showLikesModal=!0,this.$nextTick((function(){e.$refs.likesModal.open()}))},shareStatus:function(t){var e=this,s=this.feed[t],o=(s.reblogged,s.reblogs_count);this.feed[t].reblogs_count=o+1,this.feed[t].reblogged=!s.reblogged,axios.post("/api/v1/statuses/"+s.id+"/reblog").catch((function(s){e.feed[t].reblogs_count=o,e.feed[t].reblogged=!1}))},unshareStatus:function(t){var e=this,s=this.feed[t],o=(s.reblogged,s.reblogs_count);this.feed[t].reblogs_count=o-1,this.feed[t].reblogged=!s.reblogged,axios.post("/api/v1/statuses/"+s.id+"/unreblog").catch((function(s){e.feed[t].reblogs_count=o,e.feed[t].reblogged=!1}))},handleReport:function(t){var e=this;this.reportedStatusId=t.id,this.$nextTick((function(){e.reportedStatus=t,e.$refs.reportModal.open()}))},deletePost:function(){this.feed.splice(this.postIndex,1)},handleArchived:function(t){this.feed.splice(this.postIndex,1)},handleUnarchived:function(t){this.feed=[],this.fetchFeed()},enterArchivesIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v2/statuses/archives",{params:{page:this.archivesPage}}).then((function(e){var s;(s=t.archives).push.apply(s,f(e.data)),t.archivesPage++,t.canLoadMoreArchives=0!=e.data.length,t.isIntersecting=!1})).catch((function(e){t.canLoadMoreArchives=!1})))},handleBookmark:function(t){var e=this;if(window.confirm("Are you sure you want to unbookmark this post?")){var s=this.bookmarks[t];axios.post("/i/bookmark",{item:s.id}).then((function(o){e.bookmarks=e.bookmarks.map((function(t){return t.id==s.id&&(t.bookmarked=!1,delete t.bookmarked_at),t})),e.bookmarks.splice(t,1)})).catch((function(t){e.$bvToast.toast("Cannot bookmark post at this time.",{title:"Bookmark Error",variant:"danger",autoHideDelay:5e3})}))}}}}},55998:(t,e,s)=>{s.r(e),s.d(e,{default:()=>p});var o=s(78423),i=s(48510),a=s(22583),n=s(20629),r=s(10831);function l(t){return l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},l(t)}function c(t){return function(t){if(Array.isArray(t))return d(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return d(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return d(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function d(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s)?/g,(function(t){var s=t.slice(1,t.length-1),o=e.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):t}))}return s},goToProfile:function(t){this.$router.push({path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},goBack:function(){this.$emit("back")},setCacheWarmTimeout:function(){var t=this;if(this.cacheWarmInterations>=5)return this.isWarmingCache=!1,void swal("Oops","Its taking longer than expected to collect this account followers. Please try again later","error");this.cacheWarmTimeout=setTimeout((function(){t.cacheWarmInterations++,t.fetchFollowers()}),45e3)}}}},92829:(t,e,s)=>{s.r(e),s.d(e,{default:()=>p});var o=s(78423),i=s(48510),a=s(22583),n=s(20629),r=s(10831);function l(t){return l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},l(t)}function c(t){return function(t){if(Array.isArray(t))return d(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return d(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return d(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function d(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s)?/g,(function(t){var s=t.slice(1,t.length-1),o=e.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):t}))}return s},goToProfile:function(t){this.$router.push({path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},goBack:function(){this.$emit("back")},setCacheWarmTimeout:function(){var t=this;if(this.cacheWarmInterations>=5)return this.isWarmingCache=!1,void swal("Oops","Its taking longer than expected to collect following accounts. Please try again later","error");this.cacheWarmTimeout=setTimeout((function(){t.cacheWarmInterations++,t.fetchFollowers()}),45e3)}}}},54965:(t,e,s)=>{s.r(e),s.d(e,{default:()=>l});var o=s(80979),i=s(20629);function a(t){return a="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},a(t)}function n(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(t);e&&(o=o.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),s.push.apply(s,o)}return s}function r(t,e,s){return(e=function(t){var e=function(t,e){if("object"!==a(t)||null===t)return t;var s=t[Symbol.toPrimitive];if(void 0!==s){var o=s.call(t,e||"default");if("object"!==a(o))return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===e?String:Number)(t)}(t,"string");return"symbol"===a(e)?e:String(e)}(e))in t?Object.defineProperty(t,e,{value:s,enumerable:!0,configurable:!0,writable:!0}):t[e]=s,t}const l={props:{profile:{type:Object}},components:{ReadMore:o.default},data:function(){return{user:window._sharedData.user,bio:void 0,isLoading:!1,relationship:void 0}},mounted:function(){var t=this;this.rewriteLinks(),this.relationship=this.$store.getters.getRelationship(this.profile.id),this.relationship||this.profile.id==this.user.id||axios.get("/api/pixelfed/v1/accounts/relationships",{params:{"id[]":this.profile.id}}).then((function(e){t.relationship=e.data[0],t.$store.commit("updateRelationship",e.data)}))},computed:function(t){for(var e=1;e)?/g,(function(e){var s=e.slice(1,e.length-1),o=t.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):e}))}return s},getUsername:function(){return this.profile.acct},formatCount:function(t){return App.util.format.count(t)},goToProfile:function(){this.$router.push({name:"profile",path:"/i/web/profile/".concat(this.profile.id),params:{id:this.profile.id,cachedProfile:this.profile,cachedUser:this.user}})},rewriteLinks:function(){var t=this,e=this.profile.note,s=document.createElement("div");s.innerHTML=e,s.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),s.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.profile.local&&!s.includes("@")){var o=document.createElement("a");o.href=t.profile.url,s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.bio=s.outerHTML},performFollow:function(){var t=this;this.isLoading=!0,this.$emit("follow"),setTimeout((function(){t.relationship.following=!0,t.isLoading=!1}),1e3)},performUnfollow:function(){var t=this;this.isLoading=!0,this.$emit("unfollow"),setTimeout((function(){t.relationship.following=!1,t.isLoading=!1}),1e3)}}}},44078:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(20629);function i(t){return i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},i(t)}function a(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(t);e&&(o=o.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),s.push.apply(s,o)}return s}function n(t,e,s){return(e=function(t){var e=function(t,e){if("object"!==i(t)||null===t)return t;var s=t[Symbol.toPrimitive];if(void 0!==s){var o=s.call(t,e||"default");if("object"!==i(o))return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===e?String:Number)(t)}(t,"string");return"symbol"===i(e)?e:String(e)}(e))in t?Object.defineProperty(t,e,{value:s,enumerable:!0,configurable:!0,writable:!0}):t[e]=s,t}const r={props:{profile:{type:Object},relationship:{type:Object,default:function(){return{following:!1,followed_by:!1}}},user:{type:Object}},computed:function(t){for(var e=1;e)?/g,(function(e){var s=e.slice(1,e.length-1),o=t.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):e}))}return s},formatCount:function(t){return App.util.format.count(t)},goBack:function(){this.$emit("back")},showFullBio:function(){this.$refs.fullBio.show()},toggleTab:function(t){event.currentTarget.blur(),["followers","following"].includes(t)?this.$router.push("/i/web/profile/"+this.profile.id+"/"+t):this.$emit("toggletab",t)},getJoinedDate:function(){var t=new Date(this.profile.created_at),e=new Intl.DateTimeFormat("en-US",{month:"long"}).format(t),s=t.getFullYear();return"".concat(e," ").concat(s)},follow:function(){event.currentTarget.blur(),this.$emit("follow")},unfollow:function(){event.currentTarget.blur(),this.$emit("unfollow")},setBio:function(){var t=this;if(this.profile.note.length)if(this.profile.local){var e=this.profile.hasOwnProperty("note_text")?this.profile.note_text:this.profile.note.replace(/(<([^>]+)>)/gi,"");this.renderedBio=window.pftxt.autoLink(e,{usernameUrlBase:"/i/web/profile/@",hashtagUrlBase:"/i/web/hashtag/"})}else{if("

"===this.profile.note)return void(this.renderedBio=null);var s=this.profile.note,o=document.createElement("div");o.innerHTML=s,o.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),o.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.profile.local&&!s.includes("@")){var o=document.createElement("a");o.href=t.profile.url,s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.renderedBio=o.outerHTML}},getAvatar:function(){return this.profile.id==this.user.id?window._sharedData.user.avatar:this.profile.avatar},copyTextToClipboard:function(t){App.util.clipboard(t)},goToOldProfile:function(){this.profile.local?location.href=this.profile.url+"?fs=1":location.href="/i/web/profile/_/"+this.profile.id},handleMute:function(){var t=this,e=this.relationship.muting?"unmuted":"muted",s=1==this.relationship.muting?"/i/unmute":"/i/mute";axios.post(s,{type:"user",item:this.profile.id}).then((function(s){t.$emit("updateRelationship",s.data),swal("Success","You have successfully "+e+" "+t.profile.acct,"success")})).catch((function(t){var e,s;422===t.response.status?swal({title:"Error",text:null===(e=t.response)||void 0===e||null===(s=e.data)||void 0===s?void 0:s.error,icon:"error",buttons:{review:{text:"Review muted accounts",value:"review",className:"btn-primary"},cancel:!0}}).then((function(t){t&&"review"==t&&(location.href="/settings/privacy/muted-users")})):swal("Error","Something went wrong. Please try again later.","error")}))},handleBlock:function(){var t=this,e=this.relationship.blocking?"unblock":"block",s=1==this.relationship.blocking?"/i/unblock":"/i/block";axios.post(s,{type:"user",item:this.profile.id}).then((function(s){t.$emit("updateRelationship",s.data),swal("Success","You have successfully "+e+"ed "+t.profile.acct,"success")})).catch((function(t){var e,s;422===t.response.status?swal({title:"Error",text:null===(e=t.response)||void 0===e||null===(s=e.data)||void 0===s?void 0:s.error,icon:"error",buttons:{review:{text:"Review blocked accounts",value:"review",className:"btn-primary"},cancel:!0}}).then((function(t){t&&"review"==t&&(location.href="/settings/privacy/blocked-users")})):swal("Error","Something went wrong. Please try again later.","error")}))},cancelFollowRequest:function(){window.confirm("Are you sure you want to cancel your follow request?")&&(event.currentTarget.blur(),this.$emit("unfollow"))}}}},61577:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-timeline-component"},[t.isLoaded?e("div",{staticClass:"container-fluid mt-3"},[e("div",{staticClass:"row"},[e("div",{staticClass:"col-md-3 d-md-block px-md-3 px-xl-5"},[e("profile-sidebar",{attrs:{profile:t.profile,relationship:t.relationship,user:t.curUser},on:{back:t.goBack,toggletab:t.toggleTab,updateRelationship:t.updateRelationship,follow:t.follow,unfollow:t.unfollow}})],1),t._v(" "),e("div",{staticClass:"col-md-8 px-md-5"},[e(t.getTabComponentName(),{key:t.getTabComponentName()+t.profile.id,tag:"component",attrs:{profile:t.profile,relationship:t.relationship}})],1)]),t._v(" "),e("drawer")],1):t._e()])},i=[]},21262:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this;return(0,t._self._c)("canvas",{ref:"canvas",attrs:{width:t.parseNumber(t.width),height:t.parseNumber(t.height)}})},i=[]},41262:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){this._self._c;return this._m(0)},i=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"ph-item border-0 shadow-sm",staticStyle:{"border-radius":"15px","margin-bottom":"1rem"}},[e("div",{staticClass:"ph-col-12"},[e("div",{staticClass:"ph-row align-items-center"},[e("div",{staticClass:"ph-avatar mr-3 d-flex",staticStyle:{width:"50px",height:"60px","border-radius":"15px"}}),t._v(" "),e("div",{staticClass:"ph-col-6 big"})]),t._v(" "),e("div",{staticClass:"empty"}),t._v(" "),e("div",{staticClass:"empty"}),t._v(" "),e("div",{staticClass:"ph-picture"}),t._v(" "),e("div",{staticClass:"ph-row"},[e("div",{staticClass:"ph-col-12 empty"}),t._v(" "),e("div",{staticClass:"ph-col-12 big"}),t._v(" "),e("div",{staticClass:"ph-col-12 empty"}),t._v(" "),e("div",{staticClass:"ph-col-12"})])])])}]},72474:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"timeline-status-component"},[e("div",{staticClass:"card shadow-sm",staticStyle:{"border-radius":"15px"}},[e("post-header",{attrs:{profile:t.profile,status:t.status},on:{menu:t.openMenu,follow:t.follow,unfollow:t.unfollow}}),t._v(" "),e("post-content",{attrs:{profile:t.profile,status:t.status}}),t._v(" "),t.reactionBar?e("post-reactions",{attrs:{status:t.status,profile:t.profile,admin:t.admin},on:{like:t.like,unlike:t.unlike,share:t.shareStatus,unshare:t.unshareStatus,"likes-modal":t.showLikes,"shares-modal":t.showShares,"toggle-comments":t.showComments,bookmark:t.handleBookmark,"mod-tools":t.openModTools}}):t._e(),t._v(" "),t.showCommentDrawer?e("div",{staticClass:"card-footer rounded-bottom border-0",staticStyle:{background:"rgba(0,0,0,0.02)","z-index":"3"}},[e("comment-drawer",{attrs:{status:t.status,profile:t.profile},on:{"handle-report":t.handleReport,"counter-change":t.counterChange,"show-likes":t.showCommentLikes,follow:t.follow,unfollow:t.unfollow}})],1):t._e()],1)])},i=[]},7231:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"app-drawer-component"},[e("div",{staticClass:"mobile-footer-spacer d-block d-sm-none mt-5"}),t._v(" "),e("div",{staticClass:"mobile-footer d-block d-sm-none fixed-bottom"},[e("div",{staticClass:"card card-body rounded-0 px-0 pt-2 pb-3 box-shadow",staticStyle:{"border-top":"1px solid var(--border-color)"}},[e("ul",{staticClass:"nav nav-pills nav-fill d-flex align-items-middle"},[e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web"}},[e("p",[e("i",{staticClass:"far fa-home fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Home")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/timeline/local"}},[e("p",[e("i",{staticClass:"far fa-stream fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Local")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/compose"}},[e("p",[e("i",{staticClass:"far fa-plus-circle fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("New")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/notifications"}},[e("p",[e("i",{staticClass:"far fa-bell fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Alerts")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/profile/"+t.user.id}},[e("p",[e("i",{staticClass:"far fa-user fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Profile")])])])],1)])])])])},i=[]},97584:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("b-modal",{ref:"modal",attrs:{centered:"","hide-header":"","hide-footer":"",scrollable:"","body-class":"p-md-5 user-select-none"}},[0===t.tabIndex?e("div",[e("h2",{staticClass:"text-center font-weight-bold"},[t._v(t._s(t.$t("report.report")))]),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("menu.confirmReportText")))]),t._v(" "),t.status&&t.status.hasOwnProperty("account")?e("div",{staticClass:"card shadow-none rounded-lg border my-4"},[e("div",{staticClass:"card-body"},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 rounded",staticStyle:{"border-radius":"8px"},attrs:{src:t.status.account.avatar,width:"40",height:"40",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"h5 primary font-weight-bold mb-1"},[t._v("\n\t\t\t\t\t\t\t@"+t._s(t.status.account.acct)+"\n\t\t\t\t\t\t")]),t._v(" "),t.status.hasOwnProperty("pf_type")&&"text"==t.status.pf_type?e("div",[t.status.content_text.length<=140?e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t")]):e("p",{staticClass:"mb-0"},[t.showFull?e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!1}}},[t._v("Show less")])]):e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text.substr(0,140)+" ...")+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!0}}},[t._v("Show full post")])])])]):t.status.hasOwnProperty("pf_type")&&"photo"==t.status.pf_type?e("div",[e("div",{staticClass:"w-100 rounded-lg d-flex justify-content-center mt-3",staticStyle:{background:"#000","max-height":"150px"}},[e("img",{staticClass:"rounded-lg shadow",staticStyle:{width:"100%","max-height":"150px","object-fit":"contain"},attrs:{src:t.status.media_attachments[0].url}})]),t._v(" "),t.status.content_text?e("p",{staticClass:"mt-3 mb-0"},[t.showFull?e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!1}}},[t._v("Show less")])]):e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text.substr(0,80)+" ...")+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!0}}},[t._v("Show full post")])])]):t._e()]):t._e()])])])]):t._e(),t._v(" "),e("p",{staticClass:"text-right mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.cancel")))]),t._v(" "),e("button",{staticClass:"btn btn-primary px-3 py-2 font-weight-bold",staticStyle:{"background-color":"#3B82F6"},on:{click:function(e){t.tabIndex=1}}},[t._v(t._s(t.$t("common.proceed")))])])]):1===t.tabIndex?e("div",[e("h2",{staticClass:"text-center font-weight-bold"},[t._v(t._s(t.$t("report.report")))]),t._v(" "),e("p",{staticClass:"text-center"},[t._v("\n\t\t\t"+t._s(t.$t("report.selectReason"))+"\n\t\t")]),t._v(" "),e("div",{staticClass:"mt-4"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("spam")}}},[t._v(t._s(t.$t("menu.spam")))]),t._v(" "),0==t.status.sensitive?e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("sensitive")}}},[t._v("Adult or "+t._s(t.$t("menu.sensitive")))]):t._e(),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("abusive")}}},[t._v(t._s(t.$t("menu.abusive")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("underage")}}},[t._v(t._s(t.$t("menu.underageAccount")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("copyright")}}},[t._v(t._s(t.$t("menu.copyrightInfringement")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("impersonation")}}},[t._v(t._s(t.$t("menu.impersonation")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill mt-md-5",on:{click:function(e){t.tabIndex=0}}},[t._v("Go back")])])]):2===t.tabIndex?e("div",[e("div",{staticClass:"my-4 text-center"},[e("b-spinner"),t._v(" "),e("p",{staticClass:"small mb-0"},[t._v(t._s(t.$t("report.sendingReport"))+" ...")])],1)]):3===t.tabIndex?e("div",[e("div",{staticClass:"my-4"},[e("h2",{staticClass:"text-center font-weight-bold mb-3"},[t._v(t._s(t.$t("report.reported")))]),t._v(" "),e("p",{staticClass:"text-center py-2"},[e("span",{staticClass:"fa-stack fa-4x text-success"},[e("i",{staticClass:"far fa-check fa-stack-1x"}),t._v(" "),e("i",{staticClass:"fal fa-circle fa-stack-2x"})])]),t._v(" "),e("p",{staticClass:"lead text-center"},[t._v(t._s(t.$t("report.thanksMsg")))]),t._v(" "),e("hr"),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("report.contactAdminMsg"))+", "),e("a",{staticClass:"font-weight-bold primary",attrs:{href:"/site/contact"}},[t._v(t._s(t.$t("common.clickHere")))]),t._v(".")])]),t._v(" "),e("p",{staticClass:"text-center mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.close")))])])]):5===t.tabIndex?e("div",[e("div",{staticClass:"my-4"},[e("h2",{staticClass:"text-center font-weight-bold mb-3"},[t._v(t._s(t.$t("common.oops")))]),t._v(" "),e("p",{staticClass:"text-center py-2"},[e("span",{staticClass:"fa-stack fa-3x text-danger"},[e("i",{staticClass:"far fa-times fa-stack-1x"}),t._v(" "),e("i",{staticClass:"fal fa-circle fa-stack-2x"})])]),t._v(" "),e("p",{staticClass:"lead text-center"},[t._v(t._s(t.$t("common.errorMsg")))]),t._v(" "),e("hr"),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("report.contactAdminMsg"))+", "),e("a",{staticClass:"font-weight-bold primary",attrs:{href:"/site/contact"}},[t._v(t._s(t.$t("common.clickHere")))]),t._v(".")])]),t._v(" "),e("p",{staticClass:"text-center mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.close")))])])]):t._e()])},i=[]},83692:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"post-comment-drawer"},[e("input",{ref:"fileInput",staticClass:"d-none",attrs:{type:"file",accept:"image/jpeg,image/png"},on:{change:t.handleImageUpload}}),t._v(" "),e("div",{staticClass:"post-comment-drawer-feed"},[t.feed.length&&t.feed.length>=1?e("div",{staticClass:"mb-2 sort-menu"},[e("b-dropdown",{ref:"sortMenu",attrs:{size:"sm",variant:"link","toggle-class":"text-decoration-none text-dark font-weight-bold","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[t._v("\n\t\t\t\t\t\tShow "+t._s(t.sorts[t.sortIndex])+" comments "),e("i",{staticClass:"far fa-chevron-down ml-1"})]},proxy:!0}],null,!1,1870013648)},[t._v(" "),e("b-dropdown-item",{class:{active:0===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(0)}}},[e("p",{staticClass:"title mb-0"},[t._v("All")]),t._v(" "),e("p",{staticClass:"description"},[t._v("All comments in chronological order")])]),t._v(" "),e("b-dropdown-item",{class:{active:1===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(1)}}},[e("p",{staticClass:"title mb-0"},[t._v("Newest")]),t._v(" "),e("p",{staticClass:"description"},[t._v("Newest comments appear first")])]),t._v(" "),e("b-dropdown-item",{class:{active:2===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(2)}}},[e("p",{staticClass:"title mb-0"},[t._v("Popular")]),t._v(" "),e("p",{staticClass:"description"},[t._v("The most relevant comments appear first")])])],1)],1):t._e(),t._v(" "),t.feedLoading?e("div",{staticClass:"post-comment-drawer-feed-loader"},[e("b-spinner")],1):e("div",[e("transition-group",{attrs:{tag:"div","enter-active-class":"animate__animated animate__fadeIn","leave-active-class":"animate__animated animate__fadeOut",mode:"out-in"}},t._l(t.feed,(function(s,o){return e("div",{key:"cd:"+s.id+":"+o,staticClass:"media media-status align-items-top mb-3",style:{opacity:t.deletingIndex&&t.deletingIndex===o?.3:1}},[e("a",{attrs:{href:"#l"}},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.getPostAvatar(s),width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("div",{staticClass:"media-body-wrapper"},[s.media_attachments.length?e("div",[e("div",{class:[s.content&&s.content.length||s.media_attachments.length?"media-body-comment":""]},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n \t\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n \t\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("div",{staticClass:"bh-comment",on:{click:function(t){s.sensitive=!1}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash}}),t._v(" "),e("div",{staticClass:"sensitive-warning"},[e("p",{staticClass:"mb-0"},[e("i",{staticClass:"far fa-eye-slash fa-lg"})]),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._v("Tap to view")])])],1):t._e(),t._v(" "),e("read-more",{staticClass:"mb-1",attrs:{status:s}}),t._v(" "),s.sensitive?t._e():e("div",{staticClass:"bh-comment",class:[s.media_attachments.length>1?"bh-comment-borderless":""],style:{"max-width":s.media_attachments.length>1?"100% !important":"160px","max-height":s.media_attachments.length>1?"100% !important":"260px"}},["image"==s.media_attachments[0].type?e("div",[1==s.media_attachments.length?e("div",[e("div",{on:{click:function(e){return t.lightbox(s)}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash,src:t.getMediaSource(s)}})],1)]):e("div",{staticStyle:{display:"grid","grid-auto-flow":"column",gap:"1px","grid-template-rows":"[row1-start] 50% [row1-end row2-start] 50% [row2-end]","grid-template-columns":"[column1-start] 50% [column1-end column2-start] 50% [column2-end]","border-radius":"8px"}},t._l(s.media_attachments.slice(0,4),(function(o,i){return e("div",{on:{click:function(e){return t.lightbox(s,i)}}},[e("blur-hash-image",{staticClass:"img-fluid shadow",attrs:{width:30,height:30,punch:1,hash:s.media_attachments[i].blurhash,src:t.getMediaSource(s,i)}})],1)})),0)]):e("div",[e("div",{staticClass:"cursor-pointer",on:{click:function(e){return t.lightbox(s)}}},[e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{position:"relative"}},[e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{position:"absolute",width:"40px",height:"40px","background-color":"rgba(0, 0, 0, 0.5)","border-radius":"40px"}},[e("i",{staticClass:"far fa-play pl-1 text-white fa-lg"})]),t._v(" "),e("video",{staticClass:"img-fluid",staticStyle:{"max-height":"200px"},attrs:{src:s.media_attachments[0].url}})])])]),t._v(" "),s.favourites_count&&!t.hideCounts?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()])],1)]):e("div",{staticClass:"media-body-comment"},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url,id:"acpop_"+s.id,tabindex:"0"},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("b-popover",{attrs:{target:"acpop_"+s.id,triggers:"hover",placement:"bottom","custom-class":"shadow border-0 rounded-px",delay:750}},[e("profile-hover-card",{attrs:{profile:s.account},on:{follow:function(e){return t.follow(o)},unfollow:function(e){return t.unfollow(o)}}})],1)],1),t._v(" "),s.sensitive?e("span",[e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("a",{staticClass:"small font-weight-bold primary",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),s.sensitive=!1}}},[t._v("Show")])]):e("read-more",{attrs:{status:s}}),t._v(" "),s.favourites_count&&!t.hideCounts?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()],1)]),t._v(" "),e("p",{staticClass:"media-body-reactions"},[e("button",{staticClass:"btn btn-link font-weight-bold btn-sm p-0",class:[s.favourited?"primary":"text-muted"],on:{click:function(e){return t.likeComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(s.favourited?"Liked":"Like")+"\n\t\t\t\t\t\t\t\t")]),t._v(" "),"public"!=s.visibility?[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),"unlisted"===s.visibility?e("span",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip:hover.bottom",arg:"hover",modifiers:{bottom:!0}}],staticClass:"text-lighter",attrs:{title:"This post is unlisted on timelines"}},[e("i",{staticClass:"far fa-unlock fa-sm"})]):"private"===s.visibility?e("span",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip:hover.bottom",arg:"hover",modifiers:{bottom:!0}}],staticClass:"text-muted",attrs:{title:"This post is only visible to followers of this account"}},[e("i",{staticClass:"far fa-lock fa-sm"})]):t._e()]:t._e(),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.toggleCommentReply(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tReply\n\t\t\t\t\t\t\t\t")]),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),t._o(e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t\t")]),0,"cd:"+s.id+":"+o),t._v(" "),t.profile&&s.account.id===t.profile.id||t.status.account.id===t.profile.id?e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold",class:[t.deletingIndex&&t.deletingIndex===o?"text-danger":"text-muted"],attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.deleteComment(o)}}},[t._v("\n "+t._s(t.deletingIndex&&t.deletingIndex===o?"Deleting...":"Delete")+"\n\t\t\t\t\t\t\t\t\t")])]):e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.reportComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\tReport\n\t\t\t\t\t\t\t\t\t")])])],2),t._v(" "),s.reply_count?[s.replies.replies_show||t.commentReplyIndex===o?e("div",{staticClass:"media-body-show-replies"},[e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.hideCommentReplies(o)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("Hide "+t._s(t.prettyCount(s.reply_count))+" replies")])])]):e("div",{staticClass:"media-body-show-replies"},[e("a",{staticClass:"font-weight-bold primary",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showCommentReplies(o)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("Show "+t._s(t.prettyCount(s.reply_count))+" replies")])])])]:t._e(),t._v(" "),t.feed[o].replies_show?e("comment-replies",{key:"cmr-".concat(s.id,"-").concat(t.feed[o].reply_count),staticClass:"mt-3",attrs:{status:s,feed:t.feed[o].replies},on:{"counter-change":function(e){return t.replyCounterChange(o,e)}}}):t._e(),t._v(" "),1==s.replies_show&&t.commentReplyIndex==o&&t.feed[o].reply_count>3?e("div",[e("div",{staticClass:"media-body-show-replies mt-n3"},[e("a",{staticClass:"font-weight-bold text-dark",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("View full thread")])])])]):t._e(),t._v(" "),t.commentReplyIndex==o?e("comment-reply-form",{attrs:{"parent-id":s.id},on:{"new-comment":function(e){return t.pushCommentReply(o,e)},"counter-change":function(e){return t.replyCounterChange(o,e)}}}):t._e()],2)])})),0)],1)]),t._v(" "),!t.feedLoading&&t.canLoadMore?e("div",{staticClass:"post-comment-drawer-loadmore"},[e("p",[e("a",{staticClass:"font-weight-bold text-dark",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchMore()}}},[t._v("Load more comments…")])])]):t._e(),t._v(" "),t.showEmptyRepliesRefresh?e("div",{staticClass:"post-comment-drawer-loadmore"},[e("p",{staticClass:"text-center mb-4"},[e("a",{staticClass:"btn btn-outline-primary font-weight-bold rounded-pill",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.forceRefresh()}}},[e("i",{staticClass:"far fa-sync mr-2"}),t._v(" Refresh\n\t\t\t\t")])])]):t._e(),t._v(" "),e("div",{staticClass:"d-flex align-items-top reply-form child-reply-form"},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.profile.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{directives:[{name:"show",rawName:"v-show",value:!t.settings.expanded,expression:"!settings.expanded"}],staticClass:"w-100"},[e("vue-tribute",{attrs:{options:t.tributeSettings}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-sm shadow-sm rounded-pill",staticStyle:{resize:"none","padding-right":"140px"},attrs:{placeholder:"Write a comment....",rows:"1",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}})])],1),t._v(" "),e("div",{directives:[{name:"show",rawName:"v-show",value:t.settings.expanded,expression:"settings.expanded"}],staticClass:"w-100"},[e("vue-tribute",{attrs:{options:t.tributeSettings}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-sm shadow-sm",staticStyle:{resize:"none","padding-right":"140px"},attrs:{placeholder:"Write a comment....",rows:"5",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}})])],1),t._v(" "),e("div",{staticClass:"reply-form-input-actions",class:{open:t.settings.expanded}},[e("button",{staticClass:"btn btn-link text-muted px-1 mr-2",on:{click:function(e){return t.replyUpload()}}},[e("i",{staticClass:"far fa-image fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-link text-muted px-1 mr-2",on:{click:function(e){return t.toggleReplyExpand()}}},[e("i",{staticClass:"far fa-text-size fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-link text-muted px-1 small font-weight-bold py-0 rounded-pill text-decoration-none",on:{click:t.toggleShowReplyOptions}},[e("i",{staticClass:"far fa-ellipsis-h"})])])]),t._v(" "),t.showReplyOptions?e("div",{staticClass:"child-reply-form-options mt-2",staticStyle:{"margin-left":"60px"}},[e("b-form-checkbox",{attrs:{switch:""},model:{value:t.settings.sensitive,callback:function(e){t.$set(t.settings,"sensitive",e)},expression:"settings.sensitive"}},[t._v("\n\t\t\t\t"+t._s(t.$t("common.sensitive"))+"\n\t\t\t")])],1):t._e(),t._v(" "),t.replyContent&&t.replyContent.length?e("div",{staticClass:"text-right mt-2"},[e("button",{staticClass:"btn btn-primary btn-sm font-weight-bold primary rounded-pill px-4",on:{click:t.storeComment}},[t._v(t._s(t.$t("common.comment")))])]):t._e(),t._v(" "),e("b-modal",{ref:"lightboxModal",attrs:{id:"lightbox","hide-header":!0,"hide-footer":!0,centered:"",size:"lg","body-class":"p-0","content-class":"bg-transparent border-0 position-relative"}},[t.lightboxStatus&&"image"==t.lightboxStatus.type?e("div",{on:{click:t.hideLightbox}},[e("img",{staticStyle:{width:"100%","max-height":"90vh","object-fit":"contain"},attrs:{src:t.lightboxStatus.url}})]):t.lightboxStatus&&"video"==t.lightboxStatus.type?e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{position:"relative"}},[e("button",{staticClass:"btn btn-dark d-flex align-items-center justify-content-center",staticStyle:{position:"fixed",top:"10px",right:"10px",width:"56px",height:"56px","border-radius":"56px"},on:{click:t.hideLightbox}},[e("i",{staticClass:"far fa-times-circle fa-2x text-warning",staticStyle:{"padding-top":"2px"}})]),t._v(" "),e("video",{staticStyle:{"max-height":"90vh","object-fit":"contain"},attrs:{src:t.lightboxStatus.url,controls:"",autoplay:""},on:{ended:t.hideLightbox}})]):t._e()])],1)},i=[]},54822:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"comment-replies-component"},[t.loading?e("div",{staticClass:"mt-n2"},[t._m(0)]):[e("transition-group",{attrs:{tag:"div","enter-active-class":"animate__animated animate__fadeIn","leave-active-class":"animate__animated animate__fadeOut",mode:"out-in"}},t._l(t.feed,(function(s,o){return e("div",{key:"cd:"+s.id+":"+o},[e("div",{staticClass:"media media-status align-items-top mb-3"},[e("a",{attrs:{href:"#l"}},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:s.account.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("div",{staticClass:"media-body-wrapper"},[s.media_attachments.length?e("div",[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("div",{staticClass:"bh-comment",on:{click:function(t){s.sensitive=!1}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash}}),t._v(" "),e("div",{staticClass:"sensitive-warning"},[e("p",{staticClass:"mb-0"},[e("i",{staticClass:"far fa-eye-slash fa-lg"})]),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._v("Click to view")])])],1):e("div",{staticClass:"bh-comment"},[e("div",{on:{click:function(e){return t.lightbox(s)}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash,src:t.getMediaSource(s)}})],1),t._v(" "),s.favourites_count?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()])]):e("div",{staticClass:"media-body-comment"},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("span",[e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("a",{staticClass:"small font-weight-bold primary",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),s.sensitive=!1}}},[t._v("Show")])]):e("read-more",{attrs:{status:s}}),t._v(" "),s.favourites_count?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()],1)]),t._v(" "),e("p",{staticClass:"media-body-reactions"},[e("button",{staticClass:"btn btn-link font-weight-bold btn-sm p-0",class:[s.favourited?"primary":"text-muted"],on:{click:function(e){return t.likeComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(s.favourited?"Liked":"Like")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),t._o(e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t")]),0,"cd:"+s.id+":"+o),t._v(" "),t.profile&&s.account.id===t.profile.id?e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.deleteComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tDelete\n\t\t\t\t\t\t\t\t")])]):e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.reportComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tReport\n\t\t\t\t\t\t\t\t")])])])])])])})),0)]],2)},i=[function(){var t=this._self._c;return t("div",{staticClass:"ph-item border-0 mb-0 p-0 bg-transparent",staticStyle:{"border-radius":"15px","margin-left":"-14px"}},[t("div",{staticClass:"ph-col-12 mb-0"},[t("div",{staticClass:"ph-row align-items-center mt-0"},[t("div",{staticClass:"ph-avatar mr-3 d-flex",staticStyle:{"min-width":"40px",width:"40px!important",height:"40px!important","border-radius":"8px"}}),this._v(" "),t("div",{staticClass:"ph-col-6"})])])])}]},7059:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"my-3"},[e("div",{staticClass:"d-flex align-items-top reply-form child-reply-form"},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.profile.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{staticStyle:{display:"flex","flex-grow":"1",position:"relative"}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-lg shadow-sm",staticStyle:{resize:"none","padding-right":"60px"},attrs:{placeholder:"Write a comment....",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}}),t._v(" "),e("button",{staticClass:"btn btn-sm py-1 font-weight-bold ml-1 rounded-pill",class:[t.replyContent&&t.replyContent.length?"btn-primary":"btn-outline-muted"],staticStyle:{position:"absolute",right:"10px",top:"50%",transform:"translateY(-50%)"},attrs:{disabled:!t.replyContent||!t.replyContent.length},on:{click:t.storeComment}},[t._v("\n Post\n ")])])]),t._v(" "),e("p",{staticClass:"text-right small font-weight-bold text-lighter"},[t._v(t._s(t.replyContent?t.replyContent.length:0)+"/"+t._s(t.config.uploader.max_caption_length))])])},i=[]},36563:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"modal-stack"},[e("b-modal",{ref:"ctxModal",attrs:{id:"ctx-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},["archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuGoToPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.viewPost"))+"\n\t\t\t\t")]):t._e(),t._v(" "),"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuGoToProfile()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.viewProfile"))+"\n\t\t\t\t")]):t._e(),t._v(" "),"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuShare()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.share"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile&&1==t.profile.is_admin&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxModMenuShow()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.moderationTools"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.status.account.id!=t.profile.id?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.ctxMenuReportPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.report"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile.id==t.status.account.id&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.archivePost(t.status)}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.archive"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile.id==t.status.account.id&&"archived"==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.unarchivePost(t.status)}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.unarchive"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.config.ab.pue&&t.status&&t.profile.id==t.status.account.id&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.editPost(t.status)}}},[t._v("\n\t\t\t\t\tEdit\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&(t.profile.is_admin||t.profile.id==t.status.account.id)&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.deletePost(t.status)}}},[t.isDeleting?e("div",{staticClass:"spinner-border spinner-border-sm",attrs:{role:"status"}},[e("span",{staticClass:"sr-only"},[t._v("Loading...")])]):e("div",[t._v("\n\t\t\t\t\t "+t._s(t.$t("common.delete"))+"\n ")])]):t._e(),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter font-weight-bold",on:{click:function(e){return t.closeCtxMenu()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.cancel"))+"\n\t\t\t\t")])])]),t._v(" "),e("b-modal",{ref:"ctxModModal",attrs:{id:"ctx-mod-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("menu.moderationTools"))+"\n\t\t\t\t\t")]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("menu.selectOneOption"))+"\n\t\t\t\t\t")]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"unlist")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.unlistFromTimelines"))+"\n\t\t\t\t")]),t._v(" "),t.status.sensitive?e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"remcw")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.removeCW"))+"\n\t\t\t\t")]):e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"addcw")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.addCW"))+"\n\t\t\t\t")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"spammer")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.markAsSpammer"))),e("br"),t._v(" "),e("span",{staticClass:"small"},[t._v(t._s(t.$t("menu.markAsSpammerText")))])]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxModMenuClose()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.cancel"))+"\n\t\t\t\t")])])]),t._v(" "),e("b-modal",{ref:"ctxModOtherModal",attrs:{id:"ctx-mod-other-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.moderationTools")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.confirmModal()}}},[t._v("Unlist Posts")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.confirmModal()}}},[t._v("Moderation Log")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxModOtherMenuClose()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxShareModal",attrs:{id:"ctx-share-modal",title:"Share","hide-footer":"","hide-header":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded text-center"}},[e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.shareStatus(t.status,e)}}},[t._v(t._s(t.status.reblogged?"Unshare":"Share")+" "+t._s(t.$t("menu.toFollowers")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.ctxMenuCopyLink()}}},[t._v(t._s(t.$t("common.copyLink")))]),t._v(" "),t.status&&1==t.status.local&&!t.status.in_reply_to_id?e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.ctxMenuEmbed()}}},[t._v(t._s(t.$t("menu.embed")))]):t._e(),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.closeCtxShareMenu()}}},[t._v(t._s(t.$t("common.cancel")))])]),t._v(" "),e("b-modal",{ref:"ctxEmbedModal",attrs:{id:"ctx-embed-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"md","body-class":"p-2 rounded"}},[e("div",[e("div",{staticClass:"form-group"},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedPayload,expression:"ctxEmbedPayload"}],staticClass:"form-control disabled text-monospace",staticStyle:{"overflow-y":"hidden",border:"1px solid #efefef","font-size":"12px","line-height":"18px",margin:"0 0 7px",resize:"none"},attrs:{rows:"8",disabled:""},domProps:{value:t.ctxEmbedPayload},on:{input:function(e){e.target.composing||(t.ctxEmbedPayload=e.target.value)}}})]),t._v(" "),e("div",{staticClass:"form-group pl-2 d-flex justify-content-center"},[e("div",{staticClass:"form-check mr-3"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedShowCaption,expression:"ctxEmbedShowCaption"}],staticClass:"form-check-input",attrs:{type:"checkbox",disabled:1==t.ctxEmbedCompactMode},domProps:{checked:Array.isArray(t.ctxEmbedShowCaption)?t._i(t.ctxEmbedShowCaption,null)>-1:t.ctxEmbedShowCaption},on:{change:function(e){var s=t.ctxEmbedShowCaption,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedShowCaption=s.concat([null])):a>-1&&(t.ctxEmbedShowCaption=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedShowCaption=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.showCaption"))+"\n\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"form-check mr-3"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedShowLikes,expression:"ctxEmbedShowLikes"}],staticClass:"form-check-input",attrs:{type:"checkbox",disabled:1==t.ctxEmbedCompactMode},domProps:{checked:Array.isArray(t.ctxEmbedShowLikes)?t._i(t.ctxEmbedShowLikes,null)>-1:t.ctxEmbedShowLikes},on:{change:function(e){var s=t.ctxEmbedShowLikes,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedShowLikes=s.concat([null])):a>-1&&(t.ctxEmbedShowLikes=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedShowLikes=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.showLikes"))+"\n\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"form-check"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedCompactMode,expression:"ctxEmbedCompactMode"}],staticClass:"form-check-input",attrs:{type:"checkbox"},domProps:{checked:Array.isArray(t.ctxEmbedCompactMode)?t._i(t.ctxEmbedCompactMode,null)>-1:t.ctxEmbedCompactMode},on:{change:function(e){var s=t.ctxEmbedCompactMode,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedCompactMode=s.concat([null])):a>-1&&(t.ctxEmbedCompactMode=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedCompactMode=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.compactMode"))+"\n\t\t\t\t\t\t")])])]),t._v(" "),e("hr"),t._v(" "),e("button",{class:t.copiedEmbed?"btn btn-primary btn-block btn-sm py-1 font-weight-bold disabed":"btn btn-primary btn-block btn-sm py-1 font-weight-bold",attrs:{disabled:t.copiedEmbed},on:{click:t.ctxCopyEmbed}},[t._v(t._s(t.copiedEmbed?"Embed Code Copied!":"Copy Embed Code"))]),t._v(" "),e("p",{staticClass:"mb-0 px-2 small text-muted"},[t._v(t._s(t.$t("menu.embedConfirmText"))+" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("site.terms")))])])])]),t._v(" "),e("b-modal",{ref:"ctxReport",attrs:{id:"ctx-report","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group text-center"},[e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("spam")}}},[t._v(t._s(t.$t("menu.spam")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("sensitive")}}},[t._v(t._s(t.$t("menu.sensitive")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("abusive")}}},[t._v(t._s(t.$t("menu.abusive")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.openCtxReportOtherMenu()}}},[t._v(t._s(t.$t("common.other")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxReportMenuGoBack()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxReportOther",attrs:{id:"ctx-report-other","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group text-center"},[e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("underage")}}},[t._v(t._s(t.$t("menu.underageAccount")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("copyright")}}},[t._v(t._s(t.$t("menu.copyrightInfringement")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("impersonation")}}},[t._v(t._s(t.$t("menu.impersonation")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("scam")}}},[t._v(t._s(t.$t("menu.scamOrFraud")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxReportOtherMenuGoBack()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxConfirm",attrs:{id:"ctx-confirm","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"d-flex align-items-center justify-content-center py-3"},[e("div",[t._v(t._s(this.confirmModalTitle))])]),t._v(" "),e("div",{staticClass:"d-flex border-top btn-group btn-group-block rounded-0",attrs:{role:"group"}},[e("button",{staticClass:"btn btn-outline-lighter border-left-0 border-top-0 border-bottom-0 border-right py-2",staticStyle:{color:"rgb(0,122,255) !important"},attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.confirmModalCancel()}}},[t._v(t._s(t.$t("common.cancel")))]),t._v(" "),e("button",{staticClass:"btn btn-outline-lighter border-0",staticStyle:{color:"rgb(0,122,255) !important"},attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.confirmModalConfirm()}}},[t._v("Confirm")])])])],1)},i=[]},89140:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p"},scopedSlots:t._u([{key:"modal-header",fn:function(s){var o=s.close;return[void 0===t.historyIndex?[e("div",{staticClass:"d-flex flex-grow-1 justify-content-between align-items-center"},[e("span",{staticStyle:{width:"40px"}}),t._v(" "),e("h5",{staticClass:"font-weight-bold mb-0"},[t._v("Post History")]),t._v(" "),e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(t){return o()}}},[e("i",{staticClass:"far fa-times text-dark fa-lg"})])],1)]:[e("div",{staticClass:"d-flex flex-grow-1 justify-content-between align-items-center pt-1"},[e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(e){e.preventDefault(),t.historyIndex=void 0}}},[e("i",{staticClass:"fas fa-chevron-left text-primary fa-lg"})]),t._v(" "),e("div",{staticClass:"d-flex align-items-center"},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("img",{staticClass:"rounded-circle",attrs:{src:t.allHistory[0].account.avatar,width:"16",height:"16",onerror:"this.src='/storage/avatars/default.jpg';this.onerror=null;"}}),t._v(" "),e("span",{staticClass:"font-weight-bold"},[t._v(t._s(t.allHistory[0].account.username))])]),t._v(" "),e("div",[t._v(t._s(t.historyIndex==t.allHistory.length-1?"created":"edited")+" "+t._s(t.formatTime(t.allHistory[t.historyIndex].created_at)))])])]),t._v(" "),e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(t){return o()}}},[e("i",{staticClass:"fas fa-times text-dark fa-lg"})])],1)]]}}]),model:{value:t.isOpen,callback:function(e){t.isOpen=e},expression:"isOpen"}},[t._v(" "),t.isLoading?e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{"min-height":"500px"}},[e("b-spinner")],1):[void 0===t.historyIndex?e("div",{staticClass:"list-group border-top-0"},t._l(t.allHistory,(function(s,o){return e("div",{staticClass:"list-group-item d-flex align-items-center justify-content-between",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("img",{staticClass:"rounded-circle",attrs:{src:s.account.avatar,width:"24",height:"24",onerror:"this.src='/storage/avatars/default.jpg';this.onerror=null;"}}),t._v(" "),e("span",{staticClass:"font-weight-bold"},[t._v(t._s(s.account.username))])]),t._v(" "),e("div",[t._v(t._s(o==t.allHistory.length-1?"created":"edited")+" "+t._s(t.formatTime(s.created_at)))])]),t._v(" "),e("a",{staticClass:"stretched-link text-decoration-none",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.historyIndex=o}}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("i",{staticClass:"far fa-chevron-right text-primary fa-lg"})])])])})),0):e("div",{staticClass:"d-flex align-items-center flex-column border-top-0 justify-content-center"},["text"===t.postType()?void 0:"image"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("blur-hash-image",{staticClass:"img-contain border-bottom",attrs:{width:32,height:32,punch:1,hash:t.allHistory[t.historyIndex].media_attachments[0].blurhash,src:t.allHistory[t.historyIndex].media_attachments[0].url}})],1)]:"album"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("b-carousel",{staticStyle:{"text-shadow":"1px 1px 2px #333"},attrs:{controls:"",indicators:"",background:"#000000"}},t._l(t.allHistory[t.historyIndex].media_attachments,(function(t,s){return e("b-carousel-slide",{key:"pfph:"+t.id+":"+s,attrs:{"img-src":t.url}})})),1)],1)]:"video"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("div",{staticClass:"embed-responsive embed-responsive-16by9 border-bottom"},[e("video",{staticClass:"video",attrs:{controls:"",playsinline:"",preload:"metadata",loop:""}},[e("source",{attrs:{src:t.allHistory[t.historyIndex].media_attachments[0].url,type:t.allHistory[t.historyIndex].media_attachments[0].mime}})])])])]:t._e(),t._v(" "),e("div",{staticClass:"w-100 my-4 px-4 text-break justify-content-start"},[e("p",{staticClass:"mb-0",domProps:{innerHTML:t._s(t.allHistory[t.historyIndex].content)}})])],2)]],2)],1)},i=[]},73954:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){this._self._c;return this._m(0)},i=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3"},[e("div",{staticClass:"ph-item border-0 p-0 m-0 align-items-center"},[e("div",{staticClass:"p-0 mb-0",staticStyle:{flex:"unset"}},[e("div",{staticClass:"ph-avatar",staticStyle:{"min-width":"40px !important",width:"40px !important",height:"40px"}})]),t._v(" "),e("div",{staticClass:"ph-col-9 mb-0"},[e("div",{staticClass:"ph-row"},[e("div",{staticClass:"ph-col-12"}),t._v(" "),e("div",{staticClass:"ph-col-12"})])])])])}]},92994:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{ref:"likesModal",attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p",title:t.$t("common.likes")}},[t.isLoading?e("div",{staticClass:"likes-loader list-group border-top-0",staticStyle:{"max-height":"500px"}},[e("like-placeholder")],1):e("div",[t.likes.length?e("div",{staticClass:"list-group",staticStyle:{"max-height":"500px"}},[t._l(t.likes,(function(s,o){return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3",class:[0===o?"border-top-0":""]},[e("div",{staticClass:"media align-items-center"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("a",{staticClass:"text-dark font-weight-bold text-decoration-none",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[t._v(t._s(t.getUsername(s)))])]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-dark font-weight-bold small text-break"},[t._v("@"+t._s(s.acct))])]),t._v(" "),e("div",[null==s.follows||s.id==t.user.id?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},on:{click:function(e){return t.goToProfile(t.profile)}}},[t._v("\n\t\t\t\t\t\t\t\tView Profile\n\t\t\t\t\t\t\t")]):s.follows?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleUnfollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):s.follows?t._e():e("button",{staticClass:"btn btn-primary rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleFollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])])])})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("like-placeholder",{staticClass:"border-top-0"})],1),t._v(" "),e("like-placeholder")],1):t._e()],2):e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{height:"140px"}},[e("p",{staticClass:"font-weight-bold mb-0"},[t._v(t._s(t.$t("post.noLikes")))])])])])],1)},i=[]},3103:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"timeline-status-component-content"},["poll"===t.status.pf_type?e("div",{staticClass:"postPresenterContainer",staticStyle:{background:"#000"}}):t.fixedHeight?e("div",{staticClass:"card-body p-0"},["photo"===t.status.pf_type?e("div",{class:{fixedHeight:t.fixedHeight}},[1==t.status.sensitive?e("div",{staticClass:"content-label-wrapper"},[e("div",{staticClass:"text-light content-label"},[t._m(0),t._v(" "),e("p",{staticClass:"h4 font-weight-bold text-center"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContent"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"text-center py-2 content-label-text"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.status.spoiler_text?t.status.spoiler_text:t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"mb-0"},[e("button",{staticClass:"btn btn-outline-light btn-block btn-sm font-weight-bold",on:{click:function(e){return t.toggleContentWarning()}}},[t._v("See Post")])])]),t._v(" "),e("blur-hash-image",{staticClass:"blurhash-wrapper",attrs:{width:"32",height:"32",punch:1,hash:t.status.media_attachments[0].blurhash}})],1):e("div",{staticClass:"content-label-wrapper",staticStyle:{position:"relative",width:"100%",height:"400px",overflow:"hidden","z-index":"1"},on:{click:function(e){return e.preventDefault(),t.toggleLightbox.apply(null,arguments)}}},[e("img",{staticStyle:{position:"absolute",width:"105%",height:"410px","object-fit":"cover","z-index":"1",top:"0",left:"0",filter:"brightness(0.35) blur(6px)",margin:"-5px"},attrs:{src:t.status.media_attachments[0].url}}),t._v(" "),e("blur-hash-image",{key:t.key,staticClass:"blurhash-wrapper",staticStyle:{width:"100%",position:"absolute","z-index":"9",top:"0:left:0"},attrs:{width:"32",height:"32",punch:1,hash:t.status.media_attachments[0].blurhash,src:t.status.media_attachments[0].url,alt:t.status.media_attachments[0].description,title:t.status.media_attachments[0].description}}),t._v(" "),!t.status.sensitive&&t.sensitive?e("p",{staticStyle:{"margin-top":"0",padding:"10px",color:"#000","font-size":"10px","text-align":"right",position:"absolute",top:"0",right:"0","border-radius":"11px",cursor:"pointer",background:"rgba(255, 255, 255,.5)"},on:{click:function(e){t.status.sensitive=!0}}},[e("i",{staticClass:"fas fa-eye-slash fa-lg"})]):t._e()],1)]):"video"===t.status.pf_type?[1==t.status.sensitive?e("div",{staticClass:"content-label-wrapper"},[e("div",{staticClass:"text-light content-label"},[t._m(1),t._v(" "),e("p",{staticClass:"h4 font-weight-bold text-center"},[t._v("\n\t\t\t\t\t\t\tSensitive Content\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"text-center py-2 content-label-text"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.status.spoiler_text?t.status.spoiler_text:"This post may contain sensitive content.")+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"mb-0"},[e("button",{staticClass:"btn btn-outline-light btn-block btn-sm font-weight-bold",on:{click:function(e){t.status.sensitive=!1}}},[t._v("See Post")])])])]):e("video",{staticClass:"card-img-top shadow",class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px","object-fit":"contain","background-color":"#000"},attrs:{controls:"",poster:t.getPoster(t.status)}},[e("source",{attrs:{src:t.status.media_attachments[0].url,type:t.status.media_attachments[0].mime}})])]:"photo:album"===t.status.pf_type?e("div",{staticClass:"card-img-top shadow",staticStyle:{"border-radius":"15px"}},[e("photo-album-presenter",{class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px !important","object-fit":"contain","background-color":"#000",overflow:"hidden"},attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){return t.toggleContentWarning()}}})],1):"photo:video:album"===t.status.pf_type?e("div",{staticClass:"card-img-top shadow",staticStyle:{"border-radius":"15px"}},[e("mixed-album-presenter",{class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px !important","object-fit":"contain","background-color":"#000",overflow:"hidden","align-items":"center"},attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"text"===t.status.pf_type?e("div"):e("div",{staticClass:"bg-light rounded-lg d-flex align-items-center justify-content-center",staticStyle:{height:"400px"}},[e("div",[t._m(2),t._v(" "),e("p",{staticClass:"lead text-center mb-0"},[t._v("\n\t\t\t\t\t\tCannot display post\n\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"small text-center mb-0"},[t._v("\n\t\t\t\t\t\t"+t._s(t.status.pf_type)+":"+t._s(t.status.id)+"\n\t\t\t\t\t")])])])],2):e("div",{staticClass:"postPresenterContainer",staticStyle:{background:"#000"}},["photo"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("photo-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"video"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("video-presenter",{attrs:{status:t.status},on:{togglecw:function(e){t.status.sensitive=!1}}})],1):"photo:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("photo-album-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"video:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("video-album-presenter",{attrs:{status:t.status},on:{togglecw:function(e){t.status.sensitive=!1}}})],1):"photo:video:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("mixed-album-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):t._e()]),t._v(" "),t.status.content&&!t.status.sensitive?e("div",{staticClass:"card-body status-text",class:["text"===t.status.pf_type?"py-0":"pb-0"]},[e("p",[e("read-more",{attrs:{status:t.status,"cursor-limit":300}})],1)]):t._e()])},i=[function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"far fa-eye-slash fa-2x"})])},function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"far fa-eye-slash fa-2x"})])},function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"fas fa-exclamation-triangle fa-4x"})])}]},26208:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"card-header border-0",staticStyle:{"border-top-left-radius":"15px","border-top-right-radius":"15px"}},[e("div",{staticClass:"media align-items-center"},[e("a",{staticStyle:{"margin-right":"10px"},attrs:{href:t.status.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[e("img",{staticStyle:{"border-radius":"15px"},attrs:{src:t.getStatusAvatar(),width:"44",height:"44",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"font-weight-bold username"},[e("a",{staticClass:"text-dark",attrs:{href:t.status.account.url,id:"apop_"+t.status.id},on:{click:function(e){return e.preventDefault(),t.goToProfile.apply(null,arguments)}}},[t._v("\n\t\t\t\t\t"+t._s(t.status.account.acct)+"\n\t\t\t\t")]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+t.status.id,triggers:"hover",placement:"bottom","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:t.status.account},on:{follow:t.follow,unfollow:t.unfollow}})],1)],1),t._v(" "),e("p",{staticClass:"text-lighter mb-0",staticStyle:{"font-size":"13px"}},[t.status.account.is_admin?e("span",{staticClass:"d-none d-md-inline-block"},[e("span",{staticClass:"badge badge-light text-danger user-select-none",attrs:{title:"Admin account"}},[t._v("ADMIN")]),t._v(" "),e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")])]):t._e(),t._v(" "),e("a",{staticClass:"timestamp text-lighter",attrs:{href:t.status.url,title:t.status.created_at},on:{click:function(e){return e.preventDefault(),t.goToPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.timeago(t.status.created_at))+"\n\t\t\t\t")]),t._v(" "),t.config.ab.pue&&t.status.hasOwnProperty("edited_at")&&t.status.edited_at?e("span",[e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("a",{staticClass:"text-lighter",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.openEditModal.apply(null,arguments)}}},[t._v("Edited")])]):t._e(),t._v(" "),e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("span",{staticClass:"visibility text-lighter",attrs:{title:t.scopeTitle(t.status.visibility)}},[e("i",{class:t.scopeIcon(t.status.visibility)})]),t._v(" "),t.status.place&&t.status.place.hasOwnProperty("name")?e("span",{staticClass:"d-none d-md-inline-block"},[e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("span",{staticClass:"location text-lighter"},[e("i",{staticClass:"far fa-map-marker-alt"}),t._v(" "+t._s(t.status.place.name)+", "+t._s(t.status.place.country))])]):t._e()])]),t._v(" "),t.useDropdownMenu?e("b-dropdown",{attrs:{"no-caret":"",right:"",variant:"link","toggle-class":"text-lighter",html:""}},[e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.viewPost")))])]),t._v(" "),e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("common.copyLink")))])]),t._v(" "),t.status.local?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.embed")))])]):t._e(),t._v(" "),t.owner?t._e():e("b-dropdown-divider"),t._v(" "),t.owner?t._e():e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Report content that violate our rules")])]),t._v(" "),!t.owner&&t.status.hasOwnProperty("relationship")?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.status.relationship.muting?"Unmute":"Mute"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Hide posts from this account in your feeds")])]):t._e(),t._v(" "),!t.owner&&t.status.hasOwnProperty("relationship")?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold text-danger"},[t._v(t._s(t.status.relationship.blocking?"Unblock":"Block"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Restrict all content from this account")])]):t._e(),t._v(" "),t.owner||t.admin?e("b-dropdown-divider"):t._e(),t._v(" "),t.owner||t.admin?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold text-danger"},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.delete"))+"\n\t\t\t\t")])]):t._e()],1):e("button",{staticClass:"btn btn-link text-lighter",on:{click:t.openMenu}},[e("i",{staticClass:"far fa-ellipsis-v fa-lg"})])],1),t._v(" "),e("edit-history-modal",{ref:"editModal",attrs:{status:t.status}})],1)},i=[]},84027:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"px-3 my-3",staticStyle:{"z-index":"3"}},[(t.status.favourites_count||t.status.reblogs_count)&&(t.status.hasOwnProperty("liked_by")&&t.status.liked_by.url||t.status.hasOwnProperty("reblogs_count")&&t.status.reblogs_count)?e("div",{staticClass:"mb-0 d-flex justify-content-between"},[!t.hideCounts&&t.status.favourites_count?e("p",{staticClass:"mb-2 reaction-liked-by"},[t._v("\n\t\t\tLiked by\n\t\t\t"),1==t.status.favourites_count&&1==t.status.favourited?e("span",{staticClass:"font-weight-bold"},[t._v("me")]):e("span",[e("router-link",{staticClass:"primary font-weight-bold",attrs:{to:"/i/web/profile/"+t.status.liked_by.id}},[t._v("@"+t._s(t.status.liked_by.username))]),t._v(" "),t.status.liked_by.others||t.status.favourites_count>1?e("span",[t._v("\n\t\t\t\t\tand "),e("a",{staticClass:"primary font-weight-bold",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showLikes()}}},[t._v(t._s(t.count(t.status.favourites_count-1))+" others")])]):t._e()],1)]):t._e(),t._v(" "),!t.hideCounts&&t.status.reblogs_count?e("p",{staticClass:"mb-2 reaction-liked-by"},[t._v("\n\t\t\tShared by\n\t\t\t"),1==t.status.reblogs_count&&1==t.status.reblogged?e("span",{staticClass:"font-weight-bold"},[t._v("me")]):e("a",{staticClass:"primary font-weight-bold",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showShares()}}},[t._v("\n\t\t\t\t"+t._s(t.count(t.status.reblogs_count))+" "+t._s(t.status.reblogs_count>1?"others":"other")+"\n\t\t\t")])]):t._e()]):t._e(),t._v(" "),e("div",{staticClass:"d-flex justify-content-between",staticStyle:{"font-size":"14px !important"}},[e("div",[e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill mr-2",attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.like()}}},[t.status.favourited?e("span",{staticClass:"primary"},[e("i",{staticClass:"fas fa-heart mr-md-1 text-danger fa-lg"})]):e("span",[e("i",{staticClass:"far fa-heart mr-md-2"})]),t._v(" "),t.likesCount&&!t.hideCounts?e("span",[t._v("\n\t\t\t\t\t"+t._s(t.count(t.likesCount))+"\n\t\t\t\t\t"),e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(1==t.likesCount?t.$t("common.like"):t.$t("common.likes")))])]):e("span",[e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(t.$t("common.like")))])])]),t._v(" "),t.status.comments_disabled?t._e():e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill mr-2 px-3",attrs:{type:"button"},on:{click:function(e){return t.showComments()}}},[e("i",{staticClass:"far fa-comment mr-md-2"}),t._v(" "),t.replyCount&&!t.hideCounts?e("span",[t._v("\n\t\t\t\t\t"+t._s(t.count(t.replyCount))+"\n\t\t\t\t\t"),e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(1==t.replyCount?t.$t("common.comment"):t.$t("common.comments")))])]):e("span",[e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(t.$t("common.comment")))])])])]),t._v(" "),e("div",[e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill",attrs:{type:"button",disabled:t.isReblogging},on:{click:function(e){return t.handleReblog()}}},[t.isReblogging?e("span",[e("b-spinner",{attrs:{variant:"warning",small:""}})],1):e("span",[1==t.status.reblogged?e("i",{staticClass:"fas fa-retweet fa-lg text-warning"}):e("i",{staticClass:"far fa-retweet"}),t._v(" "),t.status.reblogs_count&&!t.hideCounts?e("span",{staticClass:"ml-md-2"},[t._v("\n\t\t\t\t\t\t"+t._s(t.count(t.status.reblogs_count))+"\n\t\t\t\t\t")]):t._e()])]),t._v(" "),t.status.in_reply_to_id||t.status.reblog_of_id?t._e():e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill ml-3",attrs:{type:"button",disabled:t.isBookmarking},on:{click:function(e){return t.handleBookmark()}}},[t.isBookmarking?e("span",[e("b-spinner",{attrs:{variant:"warning",small:""}})],1):e("span",[t.status.hasOwnProperty("bookmarked_at")||t.status.hasOwnProperty("bookmarked")&&1==t.status.bookmarked?e("i",{staticClass:"fas fa-bookmark fa-lg text-warning"}):e("i",{staticClass:"far fa-bookmark"})])]),t._v(" "),t.admin?e("button",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip.hover",modifiers:{hover:!0}}],staticClass:"ml-3 btn btn-light font-weight-bold rounded-pill",attrs:{type:"button",title:"Moderation Tools"},on:{click:function(e){return t.openModTools()}}},[e("i",{staticClass:"far fa-user-crown"})]):t._e()])])])},i=[]},93853:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"read-more-component",staticStyle:{"word-break":"break-word"}},[e("div",{domProps:{innerHTML:t._s(t.content)}})])},i=[]},10454:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{ref:"sharesModal",attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p",title:"Shared By"}},[t.isLoading?e("div",{staticClass:"likes-loader list-group border-top-0",staticStyle:{"max-height":"500px"}},[e("like-placeholder")],1):e("div",[t.likes.length?e("div",{staticClass:"list-group",staticStyle:{"max-height":"500px"}},[t._l(t.likes,(function(s,o){return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3",class:[0===o?"border-top-0":""]},[e("div",{staticClass:"media align-items-center"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("a",{staticClass:"text-dark font-weight-bold text-decoration-none",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[t._v(t._s(t.getUsername(s)))])]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-dark font-weight-bold small text-break"},[t._v("@"+t._s(s.acct))])]),t._v(" "),e("div",[s.id==t.user.id?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},on:{click:function(e){return t.goToProfile(t.profile)}}},[t._v("\n\t\t\t\t\t\t\t\tView Profile\n\t\t\t\t\t\t\t")]):s.follows?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleUnfollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):s.follows?t._e():e("button",{staticClass:"btn btn-primary rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleFollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])])])})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("like-placeholder",{staticClass:"border-top-0"})],1),t._v(" "),e("like-placeholder")],1):t._e()],2):e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{height:"140px"}},[e("p",{staticClass:"font-weight-bold mb-0"},[t._v("Nobody has shared this yet!")])])])])],1)},i=[]},78007:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-feed-component"},[e("div",{staticClass:"profile-feed-component-nav d-flex justify-content-center justify-content-md-between align-items-center mb-4"},[e("div",{staticClass:"d-none d-md-block border-bottom flex-grow-1 profile-nav-btns"},[e("div",{staticClass:"btn-group"},[e("button",{staticClass:"btn btn-link",class:[1===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(1)}}},[t._v("\n\t\t\t\t\tPosts\n\t\t\t\t")]),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:["archives"===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab("archives")}}},[t._v("\n\t\t\t\t\tArchives\n\t\t\t\t")]):t._e(),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:["bookmarks"===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab("bookmarks")}}},[t._v("\n\t\t\t\t\tBookmarks\n\t\t\t\t")]):t._e(),t._v(" "),t.canViewCollections?e("button",{staticClass:"btn btn-link",class:[2===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(2)}}},[t._v("\n\t\t\t\t\tCollections\n\t\t\t\t")]):t._e(),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:[3===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(3)}}},[t._v("\n\t\t\t\t\tLikes\n\t\t\t\t")]):t._e()])]),t._v(" "),1===t.tabIndex?e("div",{staticClass:"btn-group layout-sort-toggle"},[e("button",{staticClass:"btn btn-sm",class:[0===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(0,!0)}}},[e("i",{staticClass:"far fa-th fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-sm",class:[1===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(1,!0)}}},[e("i",{staticClass:"fas fa-th-large fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-sm",class:[2===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(2,!0)}}},[e("i",{staticClass:"far fa-bars fa-lg"})])]):t._e()]),t._v(" "),0==t.tabIndex?e("div",{staticClass:"d-flex justify-content-center mt-5"},[e("b-spinner")],1):1==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[0===t.layoutIndex?e("div",{staticClass:"row"},[t._l(t.feed,(function(s,o){return e("div",{key:"tlob:"+o+s.id,staticClass:"col-4 p-1"},[s.hasOwnProperty("pf_type")&&"video"==s.pf_type?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[s.sensitive?e("div",{staticClass:"square-content"},[t._m(0,!0),t._v(" "),e("blur-hash-canvas",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1):e("div",{staticClass:"square-content"},[e("blur-hash-image",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].preview_url}})],1),t._v(" "),e("div",{staticClass:"info-overlay-text"},[e("div",{staticClass:"text-white m-auto"},[e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-heart fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.favourites_count)))])]),t._v(" "),e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-comment fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reply_count)))])]),t._v(" "),e("p",{staticClass:"mb-0 info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-sync fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reblogs_count)))])])])])]),t._v(" "),t._m(1,!0),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t")])]):e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[s.sensitive?e("div",{staticClass:"square-content"},[t._m(2,!0),t._v(" "),e("blur-hash-canvas",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1):e("div",{staticClass:"square-content"},[e("blur-hash-image",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].url}})],1),t._v(" "),e("div",{staticClass:"info-overlay-text"},[e("div",{staticClass:"text-white m-auto"},[e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-heart fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.favourites_count)))])]),t._v(" "),e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-comment fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reply_count)))])]),t._v(" "),e("p",{staticClass:"mb-0 info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-sync fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reblogs_count)))])])])])]),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t")])])])})),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"col-4 ph-wrapper"},[e("div",{staticClass:"ph-item"},[e("div",{staticClass:"ph-picture big"})])])]):t._e()],2):1===t.layoutIndex?e("div",{staticClass:"row"},[e("masonry",{attrs:{cols:{default:3,800:2},gutter:{default:"5px"}}},[t._l(t.feed,(function(s,o){return e("div",{key:"tlog:"+o+s.id,staticClass:"p-1"},[s.hasOwnProperty("pf_type")&&"video"==s.pf_type?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[e("div",{staticClass:"square-content"},[e("blur-hash-image",{staticClass:"rounded",attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].preview_url}})],1)]),t._v(" "),e("span",{staticClass:"badge badge-light video-overlay-badge"},[e("i",{staticClass:"far fa-video fa-2x"})]),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t")])]):s.sensitive?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[e("div",{staticClass:"square-content"},[e("div",{staticClass:"info-overlay-text-label rounded"},[e("h5",{staticClass:"text-white m-auto font-weight-bold"},[e("span",[e("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])]),t._v(" "),e("blur-hash-canvas",{staticClass:"rounded",attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1)])]):e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("img",{staticClass:"img-fluid w-100 rounded-lg",attrs:{src:t.previewUrl(s),onerror:"this.onerror=null;this.src='/storage/no-preview.png?v=0'"}}),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t")])])])})),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"p-1 ph-wrapper"},[e("div",{staticClass:"ph-item"},[e("div",{staticClass:"ph-picture big"})])])]):t._e()],2)],1):2===t.layoutIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.feed,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,status:s},on:{like:function(e){return t.likeStatus(o)},unlike:function(e){return t.unlikeStatus(o)},share:function(e){return t.shareStatus(o)},unshare:function(e){return t.unshareStatus(o)},menu:function(e){return t.openContextMenu(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},"shares-modal":function(e){return t.openSharesModal(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"col-12 col-md-10"},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)]):t._e()],1):t._e(),t._v(" "),t.feedLoaded&&!t.feed.length?e("div",[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v(t._s(t.$t("profile.emptyPosts")))])])])]):t._e()]):"private"===t.tabIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-secure-feed.svg"}}),t._v(" "),e("p",{staticClass:"h3 text-dark font-weight-bold mt-3 py-3"},[t._v("This profile is private")]),t._v(" "),e("div",{staticClass:"lead text-muted px-3"},[t._v("\n\t\t\t\tOnly approved followers can see "),e("span",{staticClass:"font-weight-bold text-dark text-break"},[t._v("@"+t._s(t.profile.acct))]),t._v("'s "),e("br"),t._v("\n\t\t\t\tposts. To request access, click "),e("span",{staticClass:"font-weight-bold"},[t._v("Follow")]),t._v(".\n\t\t\t")])])]):2==t.tabIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8"},[e("div",{staticClass:"list-group"},t._l(t.collections,(function(s,o){return e("a",{staticClass:"list-group-item text-decoration-none text-dark",attrs:{href:s.url}},[e("div",{staticClass:"media"},[e("img",{staticClass:"rounded-lg border mr-3",staticStyle:{"object-fit":"cover"},attrs:{src:s.thumb,width:"65",height:"65",onerror:"this.onerror=null;this.src='/storage/no-preview.png';"}}),t._v(" "),e("div",{staticClass:"media-body text-left"},[e("p",{staticClass:"lead mb-0"},[t._v(t._s(s.title?s.title:"Untitled"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-1"},[t._v(t._s(s.description||"No description available"))]),t._v(" "),e("p",{staticClass:"small text-lighter mb-0 font-weight-bold"},[e("span",[t._v(t._s(s.post_count)+" posts")]),t._v(" "),e("span",[t._v("·")]),t._v(" "),"public"===s.visibility?e("span",{staticClass:"text-dark"},[t._v("Public")]):"private"===s.visibility?e("span",{staticClass:"text-dark"},[e("i",{staticClass:"far fa-lock fa-sm"}),t._v(" Followers Only")]):"draft"===s.visibility?e("span",{staticClass:"primary"},[e("i",{staticClass:"far fa-lock fa-sm"}),t._v(" Draft")]):t._e(),t._v(" "),e("span",[t._v("·")]),t._v(" "),s.published_at?e("span",[t._v("Created "+t._s(t.timeago(s.published_at))+" ago")]):e("span",{staticClass:"text-warning"},[t._v("UNPUBLISHED")])])])])])})),0)]),t._v(" "),t.collectionsLoaded&&!t.collections.length?e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v(t._s(t.$t("profile.emptyCollections")))])]):t._e(),t._v(" "),t.canLoadMoreCollections?e("div",{staticClass:"col-12 col-md-8"},[e("intersect",{on:{enter:t.enterCollectionsIntersect}},[e("div",{staticClass:"d-flex justify-content-center mt-5"},[e("b-spinner",{attrs:{small:""}})],1)])],1):t._e()]):3==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.favourites,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,status:s},on:{like:function(e){return t.likeStatus(o)},unlike:function(e){return t.unlikeStatus(o)},share:function(e){return t.shareStatus(o)},unshare:function(e){return t.unshareStatus(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),t.canLoadMoreFavourites?e("div",{staticClass:"col-12 col-md-10"},[e("intersect",{on:{enter:t.enterFavouritesIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)],1):t._e()]),t._v(" "),t.favourites&&t.favourites.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(3)])]):"bookmarks"==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.bookmarks,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,"new-reactions":!0,status:s},on:{menu:function(e){return t.openContextMenu(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},bookmark:function(e){return t.handleBookmark(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),e("div",{staticClass:"col-12 col-md-10"},[t.canLoadMoreBookmarks?e("intersect",{on:{enter:t.enterBookmarksIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1):t._e()],1)]),t._v(" "),t.bookmarks&&t.bookmarks.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(4)])]):"archives"==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.archives,(function(s,o){return e("status-card",{key:"prarc"+s.id+":"+o,attrs:{profile:t.user,"new-reactions":!0,"reaction-bar":!1,status:s},on:{menu:function(e){return t.openContextMenu(o,"archive")}}})})),1),t._v(" "),t.canLoadMoreArchives?e("div",{staticClass:"col-12 col-md-10"},[e("intersect",{on:{enter:t.enterArchivesIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)],1):t._e()]),t._v(" "),t.archives&&t.archives.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(5)])]):t._e(),t._v(" "),t.showMenu?e("context-menu",{ref:"contextMenu",attrs:{status:t.contextMenuPost,profile:t.user},on:{moderate:t.commitModeration,delete:t.deletePost,archived:t.handleArchived,unarchived:t.handleUnarchived,"report-modal":t.handleReport}}):t._e(),t._v(" "),t.showLikesModal?e("likes-modal",{ref:"likesModal",attrs:{status:t.likesModalPost,profile:t.user}}):t._e(),t._v(" "),t.showSharesModal?e("shares-modal",{ref:"sharesModal",attrs:{status:t.sharesModalPost,profile:t.profile}}):t._e(),t._v(" "),e("report-modal",{key:t.reportedStatusId,ref:"reportModal",attrs:{status:t.reportedStatus}})],1)},i=[function(){var t=this._self._c;return t("div",{staticClass:"info-overlay-text-label"},[t("h5",{staticClass:"text-white m-auto font-weight-bold"},[t("span",[t("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])])},function(){var t=this._self._c;return t("span",{staticClass:"badge badge-light video-overlay-badge"},[t("i",{staticClass:"far fa-video fa-2x"})])},function(){var t=this._self._c;return t("div",{staticClass:"info-overlay-text-label"},[t("h5",{staticClass:"text-white m-auto font-weight-bold"},[t("span",[t("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have liked")])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have bookmarked")])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have bookmarked")])])}]},14226:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-followers-component"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8"},[t.isLoaded?e("div",{staticClass:"d-flex justify-content-between align-items-center mb-4"},[e("div",[e("button",{staticClass:"btn btn-outline-dark rounded-pill font-weight-bold",on:{click:function(e){return t.goBack()}}},[t._v("\n Back\n ")])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center justify-content-center flex-column w-100 overflow-hidden"},[e("p",{staticClass:"small text-muted mb-0 text-uppercase font-weight-light cursor-pointer text-truncate text-center",staticStyle:{width:"70%"},on:{click:function(e){return t.goBack()}}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),e("p",{staticClass:"lead font-weight-bold mt-n1 mb-0"},[t._v(t._s(t.$t("profile.followers")))])]),t._v(" "),t._m(0)]):t._e(),t._v(" "),t.isLoaded?e("div",{staticClass:"list-group scroll-card"},[t._l(t.feed,(function(s,o){return e("div",{staticClass:"list-group-item"},[e("a",{staticClass:"text-decoration-none",attrs:{id:"apop_"+s.id,href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",draggable:"false",loading:"lazy",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("span",{staticClass:"text-dark font-weight-bold text-decoration-none",domProps:{innerHTML:t._s(t.getUsername(s))}})]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-muted small text-break"},[t._v("@"+t._s(s.acct))])])])]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+s.id,triggers:"hover",placement:"left",delay:"1000","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:s}})],1)],1)})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("placeholder")],1)],1):t._e(),t._v(" "),t.canLoadMore||t.feed.length?t._e():e("div",[e("div",{staticClass:"list-group-item text-center"},[t.isWarmingCache?e("div",{staticClass:"px-4"},[e("p",{staticClass:"mb-0 lead font-weight-bold"},[t._v("Loading Followers...")]),t._v(" "),e("div",{staticClass:"py-3"},[e("b-spinner",{staticStyle:{width:"1.5rem",height:"1.5rem"},attrs:{variant:"primary"}})],1),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Please wait while we collect followers of this account, this shouldn't take long!")])]):e("p",{staticClass:"mb-0 font-weight-bold"},[t._v("No followers yet!")])])])],2):e("div",{staticClass:"list-group"},[e("placeholder")],1)])])])},i=[function(){var t=this._self._c;return t("div",[t("a",{staticClass:"btn btn-dark rounded-pill font-weight-bold spacer-btn",attrs:{href:"#"}},[this._v("Back")])])}]},25754:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-following-component"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-7"},[t.isLoaded?e("div",{staticClass:"d-flex justify-content-between align-items-center mb-4"},[e("div",[e("button",{staticClass:"btn btn-outline-dark rounded-pill font-weight-bold",on:{click:function(e){return t.goBack()}}},[t._v("\n Back\n ")])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center justify-content-center flex-column w-100 overflow-hidden"},[e("p",{staticClass:"small text-muted mb-0 text-uppercase font-weight-light cursor-pointer text-truncate text-center",staticStyle:{width:"70%"},on:{click:function(e){return t.goBack()}}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),e("p",{staticClass:"lead font-weight-bold mt-n1 mb-0"},[t._v(t._s(t.$t("profile.following")))])]),t._v(" "),t._m(0)]):t._e(),t._v(" "),t.isLoaded?e("div",{staticClass:"list-group scroll-card"},[t._l(t.feed,(function(s,o){return e("div",{staticClass:"list-group-item"},[e("a",{staticClass:"text-decoration-none",attrs:{id:"apop_"+s.id,href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",draggable:"false",loading:"lazy",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("span",{staticClass:"text-dark font-weight-bold text-decoration-none",domProps:{innerHTML:t._s(t.getUsername(s))}})]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-muted small text-break"},[t._v("@"+t._s(s.acct))])])])]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+s.id,triggers:"hover",placement:"left",delay:"1000","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:s}})],1)],1)})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("placeholder")],1)],1):t._e(),t._v(" "),t.canLoadMore||t.feed.length?t._e():e("div",[e("div",{staticClass:"list-group-item text-center"},[t.isWarmingCache?e("div",{staticClass:"px-4"},[e("p",{staticClass:"mb-0 lead font-weight-bold"},[t._v("Loading Following...")]),t._v(" "),e("div",{staticClass:"py-3"},[e("b-spinner",{staticStyle:{width:"1.5rem",height:"1.5rem"},attrs:{variant:"primary"}})],1),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Please wait while we collect following accounts, this shouldn't take long!")])]):e("p",{staticClass:"mb-0 font-weight-bold"},[t._v("No following anyone yet!")])])])],2):e("div",{staticClass:"list-group"},[e("placeholder")],1)])])])},i=[function(){var t=this._self._c;return t("div",[t("a",{staticClass:"btn btn-dark rounded-pill font-weight-bold spacer-btn",attrs:{href:"#"}},[this._v("Back")])])}]},48087:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-hover-card"},[e("div",{staticClass:"profile-hover-card-inner"},[e("div",{staticClass:"d-flex justify-content-between align-items-start",staticStyle:{"max-width":"240px"}},[e("a",{attrs:{href:t.profile.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[e("img",{staticClass:"avatar",attrs:{src:t.profile.avatar,width:"50",height:"50",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),t.user.id==t.profile.id?e("div",[e("a",{staticClass:"btn btn-outline-primary px-3 py-1 font-weight-bold rounded-pill",attrs:{href:"/settings/home"}},[t._v("Edit Profile")])]):t._e(),t._v(" "),t.user.id!=t.profile.id&&t.relationship?e("div",[t.relationship.following?e("button",{staticClass:"btn btn-outline-primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:t.isLoading},on:{click:function(e){return t.performUnfollow()}}},[t.isLoading?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):e("div",[t.relationship.requested?e("button",{staticClass:"btn btn-primary primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:""}},[t._v("Follow Requested")]):e("button",{staticClass:"btn btn-primary primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:t.isLoading},on:{click:function(e){return t.performFollow()}}},[t.isLoading?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])]):t._e()]),t._v(" "),e("p",{staticClass:"display-name"},[e("a",{attrs:{href:t.profile.url},domProps:{innerHTML:t._s(t.getDisplayName())},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[t._v("\n\t\t\t\t"+t._s(t.profile.display_name?t.profile.display_name:t.profile.username)+"\n\t\t\t")])]),t._v(" "),e("div",{staticClass:"username"},[e("a",{staticClass:"username-link",attrs:{href:t.profile.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[t._v("\n\t\t\t\t@"+t._s(t.getUsername())+"\n\t\t\t")]),t._v(" "),t.user.id!=t.profile.id&&t.relationship&&t.relationship.followed_by?e("p",{staticClass:"username-follows-you"},[e("span",[t._v("Follows You")])]):t._e()]),t._v(" "),t.profile.hasOwnProperty("pronouns")&&t.profile.pronouns&&t.profile.pronouns.length?e("p",{staticClass:"pronouns"},[t._v("\n\t\t\t"+t._s(t.profile.pronouns.join(", "))+"\n\t\t")]):t._e(),t._v(" "),e("p",{staticClass:"bio",domProps:{innerHTML:t._s(t.bio)}}),t._v(" "),e("p",{staticClass:"stats"},[e("span",{staticClass:"stats-following"},[e("span",{staticClass:"following-count"},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" Following\n\t\t\t")]),t._v(" "),e("span",{staticClass:"stats-followers"},[e("span",{staticClass:"followers-count"},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" Followers\n\t\t\t")])])])])},i=[]},84478:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-sidebar-component"},[e("div",[e("div",{staticClass:"d-block d-md-none"},[e("div",{staticClass:"media user-card user-select-none"},[e("div",{staticStyle:{position:"relative"}},[e("img",{staticClass:"avatar shadow cursor-pointer",attrs:{src:t.profile.avatar,draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"display-name",domProps:{innerHTML:t._s(t.getDisplayName())}}),t._v(" "),e("p",{staticClass:"username",class:{remote:!t.profile.local}},[t.profile.local?e("span",[t._v("@"+t._s(t.profile.acct))]):e("a",{staticClass:"primary",attrs:{href:t.profile.url}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),t.profile.locked?e("span",[e("i",{staticClass:"fal fa-lock ml-1 fa-sm text-lighter"})]):t._e()]),t._v(" "),e("div",{staticClass:"stats"},[e("div",{staticClass:"stats-posts",on:{click:function(e){return t.toggleTab("index")}}},[e("div",{staticClass:"posts-count"},[t._v(t._s(t.formatCount(t.profile.statuses_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.posts"))+"\n\t\t\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"stats-followers",on:{click:function(e){return t.toggleTab("followers")}}},[e("div",{staticClass:"followers-count"},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.followers"))+"\n\t\t\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"stats-following",on:{click:function(e){return t.toggleTab("following")}}},[e("div",{staticClass:"following-count"},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.following"))+"\n\t\t\t\t\t\t\t\t")])])])])])]),t._v(" "),e("div",{staticClass:"d-none d-md-flex justify-content-between align-items-center"},[e("button",{staticClass:"btn btn-link",on:{click:function(e){return t.goBack()}}},[e("i",{staticClass:"far fa-chevron-left fa-lg text-lighter"})]),t._v(" "),e("div",[e("img",{staticClass:"avatar img-fluid shadow border",attrs:{src:t.getAvatar(),onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}}),t._v(" "),t.profile.is_admin?e("p",{staticClass:"text-right",staticStyle:{"margin-top":"-30px"}},[e("span",{staticClass:"admin-label"},[t._v("Admin")])]):t._e()]),t._v(" "),e("b-dropdown",{attrs:{variant:"link",right:"","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[e("i",{staticClass:"far fa-lg fa-cog text-lighter"})]},proxy:!0}])},[t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.goToOldProfile()}}},[t._v("View in old UI")]):t._e(),t._v(" "),e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.copyTextToClipboard(t.profile.url)}}},[t._v("Copy Link")]),t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"/users/"+t.profile.username+".atom","link-class":"font-weight-bold"}},[t._v("Atom feed")]):t._e(),t._v(" "),t.profile.id==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{href:"/settings/home","link-class":"font-weight-bold"}},[e("i",{staticClass:"far fa-cog mr-1"}),t._v(" Settings\n\t\t\t\t\t\t")])],1):e("div",[t.profile.local?t._e():e("b-dropdown-item",{attrs:{href:t.profile.url,"link-class":"font-weight-bold"}},[t._v("View Remote Profile")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/web/direct/thread/"+t.profile.id,"link-class":"font-weight-bold"}},[t._v("Direct Message")])],1),t._v(" "),t.profile.id!==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleMute()}}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.relationship.muting?"Unmute":"Mute")+"\n\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleBlock()}}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.relationship.blocking?"Unblock":"Block")+"\n\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/report?type=user&id="+t.profile.id,"link-class":"text-danger font-weight-bold"}},[t._v("Report")])],1):t._e()],1)],1),t._v(" "),e("div",{staticClass:"d-none d-md-block text-center"},[e("p",{staticClass:"display-name",domProps:{innerHTML:t._s(t.getDisplayName())}}),t._v(" "),e("p",{staticClass:"username",class:{remote:!t.profile.local}},[t.profile.local?e("span",[t._v("@"+t._s(t.profile.acct))]):e("a",{staticClass:"primary",attrs:{href:t.profile.url}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),t.profile.locked?e("span",[e("i",{staticClass:"fal fa-lock ml-1 fa-sm text-lighter"})]):t._e()]),t._v(" "),t.user.id!=t.profile.id&&(t.relationship.followed_by||t.relationship.muting||t.relationship.blocking)?e("p",{staticClass:"mt-n3 text-center"},[t.relationship.followed_by?e("span",{staticClass:"badge badge-primary p-1"},[t._v("Follows you")]):t._e(),t._v(" "),t.relationship.muting?e("span",{staticClass:"badge badge-dark p-1 ml-1"},[t._v("Muted")]):t._e(),t._v(" "),t.relationship.blocking?e("span",{staticClass:"badge badge-danger p-1 ml-1"},[t._v("Blocked")]):t._e()]):t._e()]),t._v(" "),e("div",{staticClass:"d-none d-md-block stats py-2"},[e("div",{staticClass:"d-flex justify-content-between"},[e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("index")}}},[e("strong",{attrs:{title:t.profile.statuses_count}},[t._v(t._s(t.formatCount(t.profile.statuses_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.posts")))])]),t._v(" "),e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("followers")}}},[e("strong",{attrs:{title:t.profile.followers_count}},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.followers")))])]),t._v(" "),e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("following")}}},[e("strong",{attrs:{title:t.profile.following_count}},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.following")))])])])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center mb-3 mb-md-0"},[t.user.id===t.profile.id?e("div",{staticStyle:{"flex-grow":"1"}},[e("a",{staticClass:"btn btn-light font-weight-bold btn-block follow-btn",attrs:{href:"/settings/home"}},[t._v(t._s(t.$t("profile.editProfile")))]),t._v(" "),t.profile.locked?t._e():e("a",{staticClass:"btn btn-light font-weight-bold btn-block follow-btn mt-md-n4",attrs:{href:"/i/web/my-portfolio"}},[t._v("\n My Portfolio\n "),e("span",{staticClass:"badge badge-success ml-1"},[t._v("NEW")])])]):t.profile.locked?e("div",{staticStyle:{"flex-grow":"1"}},[t.relationship.following||t.relationship.requested?t.relationship.requested?e("div",[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:""}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("profile.followRequested"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"small font-weight-bold text-center mt-n4"},[e("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.cancelFollowRequest()}}},[t._v("Cancel Follow Request")])])]):t.relationship.following?e("button",{staticClass:"btn btn-primary font-weight-bold btn-block unfollow-btn",on:{click:t.unfollow}},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.unfollow"))+"\n\t\t\t\t\t")]):t._e():[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:t.relationship.blocking},on:{click:t.follow}},[t._v("\n\t\t\t\t\t\t\tRequest Follow\n\t\t\t\t\t\t")]),t._v(" "),t.relationship.blocking?e("p",{staticClass:"mt-n4 text-lighter",staticStyle:{"font-size":"11px"}},[t._v("You need to unblock this account before you can request to follow.")]):t._e()]],2):e("div",{staticStyle:{"flex-grow":"1"}},[t.relationship.following?e("button",{staticClass:"btn btn-primary font-weight-bold btn-block unfollow-btn",on:{click:t.unfollow}},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.unfollow"))+"\n\t\t\t\t\t")]):[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:t.relationship.blocking},on:{click:t.follow}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("profile.follow"))+"\n\t\t\t\t\t\t")]),t._v(" "),t.relationship.blocking?e("p",{staticClass:"mt-n4 text-lighter",staticStyle:{"font-size":"11px"}},[t._v("You need to unblock this account before you can follow.")]):t._e()]],2),t._v(" "),e("div",{staticClass:"d-block d-md-none ml-3"},[e("b-dropdown",{attrs:{variant:"link",right:"","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[e("i",{staticClass:"far fa-lg fa-cog text-lighter"})]},proxy:!0}])},[t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.goToOldProfile()}}},[t._v("View in old UI")]):t._e(),t._v(" "),e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.copyTextToClipboard(t.profile.url)}}},[t._v("Copy Link")]),t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"/users/"+t.profile.username+".atom","link-class":"font-weight-bold"}},[t._v("Atom feed")]):t._e(),t._v(" "),t.profile.id==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{href:"/settings/home","link-class":"font-weight-bold"}},[e("i",{staticClass:"far fa-cog mr-1"}),t._v(" Settings\n\t\t\t\t\t\t\t")])],1):e("div",[t.profile.local?t._e():e("b-dropdown-item",{attrs:{href:t.profile.url,"link-class":"font-weight-bold"}},[t._v("View Remote Profile")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/web/direct/thread/"+t.profile.id,"link-class":"font-weight-bold"}},[t._v("Direct Message")])],1),t._v(" "),t.profile.id!==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleMute()}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.relationship.muting?"Unmute":"Mute")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleBlock()}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.relationship.blocking?"Unblock":"Block")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/report?type=user&id="+t.profile.id,"link-class":"text-danger font-weight-bold"}},[t._v("Report")])],1):t._e()],1)],1)]),t._v(" "),t.profile.note&&t.renderedBio&&t.renderedBio.length?e("div",{staticClass:"bio-wrapper card shadow-none"},[e("div",{staticClass:"card-body"},[e("div",{staticClass:"bio-body"},[e("div",{domProps:{innerHTML:t._s(t.renderedBio)}})])])]):t._e(),t._v(" "),e("div",{staticClass:"d-none d-md-block card card-body shadow-none py-2"},[t.profile.website?e("p",{staticClass:"small"},[t._m(0),t._v(" "),e("span",[e("a",{staticClass:"font-weight-bold",attrs:{href:t.profile.website}},[t._v(t._s(t.profile.website))])])]):t._e(),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._m(1),t._v(" "),t.profile.local?e("span",[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.joined"))+" "+t._s(t.getJoinedDate())+"\n\t\t\t\t\t")]):e("span",[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.joined"))+" "+t._s(t.getJoinedDate())+"\n\n\t\t\t\t\t\t"),e("span",{staticClass:"float-right primary"},[e("i",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip.hover",modifiers:{hover:!0}}],staticClass:"far fa-info-circle",attrs:{title:"This user is from a remote server and may have created their account before this date"}})])])])]),t._v(" "),e("div",{staticClass:"d-none d-md-flex sidebar-sitelinks"},[e("a",{attrs:{href:"/site/about"}},[t._v(t._s(t.$t("navmenu.about")))]),t._v(" "),e("router-link",{attrs:{to:"/i/web/help"}},[t._v(t._s(t.$t("navmenu.help")))]),t._v(" "),e("router-link",{attrs:{to:"/i/web/language"}},[t._v(t._s(t.$t("navmenu.language")))]),t._v(" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("navmenu.privacy")))]),t._v(" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("navmenu.terms")))])],1),t._v(" "),t._m(2)]),t._v(" "),e("b-modal",{ref:"fullBio",attrs:{centered:"","hide-footer":"","ok-only":"","ok-title":"Close","ok-variant":"light",scrollable:!0,"body-class":"p-md-5",title:"Bio"}},[e("div",{domProps:{innerHTML:t._s(t.profile.note)}})])],1)},i=[function(){var t=this._self._c;return t("span",{staticClass:"text-lighter mr-2"},[t("i",{staticClass:"far fa-link"})])},function(){var t=this._self._c;return t("span",{staticClass:"text-lighter mr-2"},[t("i",{staticClass:"far fa-clock"})])},function(){var t=this._self._c;return t("div",{staticClass:"d-none d-md-block sidebar-attribution"},[t("a",{staticClass:"font-weight-bold",attrs:{href:"https://pixelfed.org"}},[this._v("Powered by Pixelfed")])])}]},88105:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-timeline-component[data-v-3167af64]{margin-bottom:10rem}",""]);const a=i},48605:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.timeline-status-component{margin-bottom:1rem}.timeline-status-component .btn:focus{box-shadow:none!important}.timeline-status-component .avatar{border-radius:15px}.timeline-status-component .VueCarousel-wrapper .VueCarousel-slide img{-o-object-fit:contain;object-fit:contain}.timeline-status-component .status-text{z-index:3}.timeline-status-component .reaction-liked-by,.timeline-status-component .status-text.py-0{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.timeline-status-component .reaction-liked-by{font-size:11px;font-weight:600}.timeline-status-component .location,.timeline-status-component .timestamp,.timeline-status-component .visibility{color:#94a3b8;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.timeline-status-component .invisible{display:none}.timeline-status-component .blurhash-wrapper img{border-radius:0;-o-object-fit:cover;object-fit:cover}.timeline-status-component .blurhash-wrapper canvas{border-radius:0}.timeline-status-component .content-label-wrapper{background-color:#000;border-radius:0;height:400px;overflow:hidden;position:relative;width:100%}.timeline-status-component .content-label-wrapper canvas,.timeline-status-component .content-label-wrapper img{cursor:pointer;max-height:400px}.timeline-status-component .content-label{align-items:center;background:rgba(0,0,0,.2);border-radius:0;display:flex;flex-direction:column;height:100%;justify-content:center;margin:0;position:absolute;width:100%;z-index:2}.timeline-status-component .rounded-bottom{border-bottom-left-radius:15px!important;border-bottom-right-radius:15px!important}.timeline-status-component .card-footer .media{position:relative}.timeline-status-component .card-footer .media .comment-border-link{background-clip:padding-box;background-color:#e5e7eb;border-left:4px solid transparent;border-right:4px solid transparent;display:block;height:calc(100% - 100px);left:11px;position:absolute;top:40px;width:10px}.timeline-status-component .card-footer .media .comment-border-link:hover{background-color:#bfdbfe}.timeline-status-component .card-footer .media .child-reply-form{position:relative}.timeline-status-component .card-footer .media .comment-border-arrow{background-clip:padding-box;background-color:#e5e7eb;border-bottom:2px solid transparent;border-left:4px solid transparent;border-right:4px solid transparent;display:block;height:29px;left:-33px;position:absolute;top:-6px;width:10px}.timeline-status-component .card-footer .media .comment-border-arrow:after{background-color:#e5e7eb;content:"";display:block;height:2px;left:2px;position:absolute;top:25px;width:15px}.timeline-status-component .card-footer .media-status{margin-bottom:1.3rem}.timeline-status-component .card-footer .media-avatar{border-radius:8px;margin-right:12px}.timeline-status-component .card-footer .media-body-comment{background-color:var(--comment-bg);border-radius:.9rem;padding:.4rem .7rem;width:-moz-fit-content;width:fit-content}.timeline-status-component .card-footer .media-body-comment-username{color:var(--body-color);font-size:14px;font-weight:700!important;margin-bottom:.25rem!important}.timeline-status-component .card-footer .media-body-comment-username a{color:var(--body-color);text-decoration:none}.timeline-status-component .card-footer .media-body-comment-content{font-size:16px;margin-bottom:0}.timeline-status-component .card-footer .media-body-reactions{color:#b8c2cc!important;font-size:12px;margin-bottom:0!important;margin-top:.4rem!important}.timeline-status-component .fixedHeight{max-height:400px}.timeline-status-component .fixedHeight .VueCarousel-wrapper{border-radius:15px}.timeline-status-component .fixedHeight .VueCarousel-slide img{max-height:400px}.timeline-status-component .fixedHeight .blurhash-wrapper img{background-color:transparent;height:400px;max-height:400px;-o-object-fit:contain;object-fit:contain}.timeline-status-component .fixedHeight .blurhash-wrapper canvas{max-height:400px}.timeline-status-component .fixedHeight .content-label-wrapper{border-radius:15px}.timeline-status-component .fixedHeight .content-label{border-radius:0;height:400px}',""]);const a=i},95433:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".app-drawer-component .nav-link{padding:.5rem .1rem}.app-drawer-component .nav-link.active{background-color:transparent}.app-drawer-component .nav-link.router-link-exact-active{background-color:transparent;color:var(--primary)!important}.app-drawer-component .nav-link p{margin-bottom:0}.app-drawer-component .nav-link-label{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:10px;font-weight:700;margin-top:0;opacity:.6;text-transform:uppercase}",""]);const a=i},41866:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.post-comment-drawer-feed{margin-bottom:1rem}.post-comment-drawer-feed .sort-menu .dropdown{border-radius:18px}.post-comment-drawer-feed .sort-menu .dropdown-menu{padding:0}.post-comment-drawer-feed .sort-menu .dropdown-item:active{background-color:inherit}.post-comment-drawer-feed .sort-menu .title{color:var(--dropdown-item-color)}.post-comment-drawer-feed .sort-menu .description{color:var(--dropdown-item-color);font-size:12px;margin-bottom:0}.post-comment-drawer-feed .sort-menu .active .title{color:var(--dropdown-item-active-color);font-weight:600}.post-comment-drawer-feed .sort-menu .active .description{color:var(--dropdown-item-active-color)}.post-comment-drawer-feed-loader{align-items:center;display:flex;height:200px;justify-content:center}.post-comment-drawer .media-body-comment{min-width:240px;position:relative}.post-comment-drawer .media-body-wrapper .media-body-comment{padding:.7rem}.post-comment-drawer .media-body-wrapper .media-body-likes-count{background-color:var(--body-bg);border-radius:15px;bottom:-10px;font-size:12px;font-weight:600;padding:1px 8px;position:absolute;right:-5px;text-decoration:none;-webkit-user-select:none!important;-moz-user-select:none!important;user-select:none!important;z-index:3}.post-comment-drawer .media-body-wrapper .media-body-likes-count i{margin-right:3px}.post-comment-drawer .media-body-wrapper .media-body-likes-count .count{color:#334155}.post-comment-drawer .media-body-show-replies{font-size:13px;margin-bottom:5px;margin-top:-5px}.post-comment-drawer .media-body-show-replies a{align-items:center;display:flex;text-decoration:none}.post-comment-drawer .media-body-show-replies-icon{display:inline-block;font-family:Font Awesome\\ 5 Free;font-style:normal;font-variant:normal;font-weight:400;line-height:1;margin-right:.25rem;padding-left:.5rem;text-decoration:none;text-rendering:auto;transform:rotate(90deg)}.post-comment-drawer .media-body-show-replies-icon:before{content:"\\f148"}.post-comment-drawer .media-body-show-replies-label{padding-top:9px}.post-comment-drawer-loadmore{font-size:.7875rem}.post-comment-drawer .reply-form-input{flex:1;position:relative}.post-comment-drawer .reply-form-input-actions{position:absolute;right:10px;top:50%;transform:translateY(-50%)}.post-comment-drawer .reply-form-input-actions.open{top:85%;transform:translateY(-85%)}.post-comment-drawer .child-reply-form{position:relative}.post-comment-drawer .bh-comment{height:auto;max-height:260px!important;max-width:160px!important;position:relative;width:100%}.post-comment-drawer .bh-comment .img-fluid,.post-comment-drawer .bh-comment canvas{border-radius:8px}.post-comment-drawer .bh-comment img,.post-comment-drawer .bh-comment span{height:auto;max-height:260px!important;max-width:160px!important;width:100%}.post-comment-drawer .bh-comment img{border-radius:8px;-o-object-fit:cover;object-fit:cover}.post-comment-drawer .bh-comment.bh-comment-borderless{border-radius:8px;margin-bottom:5px;overflow:hidden}.post-comment-drawer .bh-comment.bh-comment-borderless .img-fluid,.post-comment-drawer .bh-comment.bh-comment-borderless canvas,.post-comment-drawer .bh-comment.bh-comment-borderless img{border-radius:0}.post-comment-drawer .bh-comment .sensitive-warning{background:rgba(0,0,0,.4);border-radius:8px;color:#fff;cursor:pointer;left:50%;padding:5px;position:absolute;text-align:center;top:50%;transform:translate(-50%,-50%);-webkit-user-select:none;-moz-user-select:none;user-select:none}.post-comment-drawer .v-tribute{width:100%}',""]);const a=i},80569:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".img-contain img{-o-object-fit:contain;object-fit:contain}",""]);const a=i},9782:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-feed-component{margin-top:0}.profile-feed-component .ph-wrapper{padding:.25rem}.profile-feed-component .ph-wrapper .ph-item{background-color:transparent;border:none;margin:0;padding:0}.profile-feed-component .ph-wrapper .ph-item .ph-picture{border-radius:5px;height:auto;padding-bottom:100%}.profile-feed-component .ph-wrapper .ph-item>*{margin-bottom:0}.profile-feed-component .info-overlay-text-field{font-size:13.5px;margin-bottom:2px}@media (min-width:768px){.profile-feed-component .info-overlay-text-field{font-size:20px;margin-bottom:15px}}.profile-feed-component .video-overlay-badge{color:var(--dark);opacity:.6;padding-bottom:1px;position:absolute;right:10px;top:10px}.profile-feed-component .timestamp-overlay-badge{bottom:10px;opacity:.6;position:absolute;right:10px}.profile-feed-component .profile-nav-btns{margin-right:1rem}.profile-feed-component .profile-nav-btns .btn-group{min-height:45px}.profile-feed-component .profile-nav-btns .btn-link{border-radius:0;color:var(--text-lighter);font-size:14px;font-weight:700;margin-right:1rem}.profile-feed-component .profile-nav-btns .btn-link:hover{color:var(--text-muted);text-decoration:none}.profile-feed-component .profile-nav-btns .btn-link.active{border-bottom:1px solid var(--dark);color:var(--dark);transition:border-bottom .25s ease-in-out}.profile-feed-component .layout-sort-toggle .btn{border:none}.profile-feed-component .layout-sort-toggle .btn.btn-light{opacity:.4}",""]);const a=i},16035:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-followers-component .list-group-item{border:none}.profile-followers-component .list-group-item:not(:last-child){border-bottom:1px solid rgba(0,0,0,.125)}.profile-followers-component .scroll-card{-ms-overflow-style:none;max-height:calc(100vh - 250px);overflow-y:auto;scroll-behavior:smooth;scrollbar-width:none}.profile-followers-component .scroll-card::-webkit-scrollbar{display:none}.profile-followers-component .spacer-btn{opacity:0;pointer-events:none}",""]);const a=i},16725:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-following-component .list-group-item{border:none}.profile-following-component .list-group-item:not(:last-child){border-bottom:1px solid rgba(0,0,0,.125)}.profile-following-component .scroll-card{-ms-overflow-style:none;max-height:calc(100vh - 250px);overflow-y:auto;scroll-behavior:smooth;scrollbar-width:none}.profile-following-component .scroll-card::-webkit-scrollbar{display:none}.profile-following-component .spacer-btn{opacity:0;pointer-events:none}",""]);const a=i},93986:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-hover-card{border:none;display:block;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;overflow:hidden;padding:.5rem;width:300px}.profile-hover-card .avatar{border-radius:15px;box-shadow:0 .5rem 1rem rgba(0,0,0,.15)!important;margin-bottom:.5rem}.profile-hover-card .display-name{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:16px;font-weight:800;font-weight:800!important;line-height:.8;margin-bottom:2px;margin-top:5px;max-width:240px;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-hover-card .display-name a{color:var(--body-color);text-decoration:none}.profile-hover-card .username{font-size:12px;font-weight:700;margin-bottom:.6rem;margin-top:0;max-width:240px;overflow:hidden;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-hover-card .username-link{color:var(--text-lighter);margin-right:4px;text-decoration:none}.profile-hover-card .username-follows-you{margin:4px 0}.profile-hover-card .username-follows-you span{background-color:var(--comment-bg);border-radius:6px;color:var(--dropdown-item-color);font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:12px;font-weight:500;line-height:16px;padding:2px 4px}.profile-hover-card .pronouns{color:#9ca3af;font-size:11px;font-weight:600;margin-bottom:.6rem;margin-top:-.8rem}.profile-hover-card .bio{color:var(--body-color);font-size:12px;line-height:1.2;margin-bottom:0;max-height:60px;max-width:240px;overflow:hidden;text-overflow:ellipsis;word-break:break-word}.profile-hover-card .bio .invisible{display:none}.profile-hover-card .stats{color:var(--body-color);font-size:14px;margin-bottom:0;margin-top:.5rem;-webkit-user-select:none;-moz-user-select:none;user-select:none}.profile-hover-card .stats .stats-following{margin-right:.8rem}.profile-hover-card .stats .followers-count,.profile-hover-card .stats .following-count{font-weight:800}.profile-hover-card .btn.rounded-pill{min-width:80px}",""]);const a=i},97429:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.profile-sidebar-component{margin-bottom:1rem}.profile-sidebar-component .avatar{border-radius:15px;margin-bottom:1rem;width:140px}.profile-sidebar-component .display-name{font-size:20px;font-size:15px;font-weight:800!important;line-height:.8;margin-bottom:0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-sidebar-component .display-name,.profile-sidebar-component .username{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.profile-sidebar-component .username{color:var(--primary);font-size:14px;font-weight:600}.profile-sidebar-component .username.remote{font-size:11px}.profile-sidebar-component .stats{margin-bottom:1rem}.profile-sidebar-component .stats .stat-item{flex:0 0 33%;margin:0;max-width:33%;padding:0;text-align:center;text-decoration:none}.profile-sidebar-component .stats .stat-item strong{color:var(--body-color);display:block;font-size:18px;line-height:.9}.profile-sidebar-component .stats .stat-item span{color:#b8c2cc;display:block;font-size:12px}@media (min-width:768px){.profile-sidebar-component .follow-btn{margin-bottom:2rem}}.profile-sidebar-component .follow-btn.btn-primary{background-color:var(--primary)}.profile-sidebar-component .follow-btn.btn-light{border-color:var(--input-border)}.profile-sidebar-component .unfollow-btn{background-color:rgba(59,130,246,.7)}@media (min-width:768px){.profile-sidebar-component .unfollow-btn{margin-bottom:2rem}}.profile-sidebar-component .bio-wrapper{margin-bottom:1rem}.profile-sidebar-component .bio-wrapper .bio-body{display:block;font-size:12px!important;position:relative;white-space:pre-wrap}.profile-sidebar-component .bio-wrapper .bio-body .username{font-size:12px!important}.profile-sidebar-component .bio-wrapper .bio-body.long{max-height:80px;overflow:hidden}.profile-sidebar-component .bio-wrapper .bio-body.long:after{background:linear-gradient(180deg,transparent,hsla(0,0%,100%,.9) 60%,#fff 90%);content:"";height:100%;left:0;position:absolute;top:0;width:100%;z-index:2}.profile-sidebar-component .bio-wrapper .bio-body p{margin-bottom:0!important}.profile-sidebar-component .bio-wrapper .bio-more{position:relative;z-index:3}.profile-sidebar-component .admin-label{background:#fee2e2;border:1px solid #fca5a5;border-radius:8px;color:#b91c1c;display:inline-block;font-size:12px;font-weight:600;padding:1px 5px;text-transform:capitalize}.profile-sidebar-component .sidebar-sitelinks{justify-content:space-between;margin-top:1rem;padding:0}.profile-sidebar-component .sidebar-sitelinks a{color:#b8c2cc;font-size:12px}.profile-sidebar-component .sidebar-sitelinks .active{color:#212529;font-weight:600}.profile-sidebar-component .sidebar-attribution{color:#b8c2cc!important;font-size:12px;margin-top:.5rem}.profile-sidebar-component .sidebar-attribution a{color:#b8c2cc!important}.profile-sidebar-component .user-card{align-items:center}.profile-sidebar-component .user-card .avatar{border:1px solid #e5e7eb;border-radius:15px;height:80px;margin-right:.8rem;width:80px}@media (min-width:390px){.profile-sidebar-component .user-card .avatar{height:100px;width:100px}}.profile-sidebar-component .user-card .avatar-update-btn{background:hsla(0,0%,100%,.9);border:1px solid #dee2e6!important;border-radius:50rem;bottom:0;height:20px;padding:0;position:absolute;right:12px;width:20px}.profile-sidebar-component .user-card .avatar-update-btn-icon{-webkit-font-smoothing:antialiased;display:inline-block;font-family:Font Awesome\\ 5 Free;font-style:normal;font-variant:normal;font-weight:400;line-height:1;text-rendering:auto}.profile-sidebar-component .user-card .avatar-update-btn-icon:before{content:"\\f013"}.profile-sidebar-component .user-card .username{font-size:13px;font-weight:600;line-height:12px;margin:4px 0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}@media (min-width:390px){.profile-sidebar-component .user-card .username{font-size:16px;margin:8px 0}}.profile-sidebar-component .user-card .display-name{color:var(--body-color);font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:20px;font-weight:800!important;line-height:.8;margin-bottom:0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}@media (min-width:390px){.profile-sidebar-component .user-card .display-name{font-size:24px}}.profile-sidebar-component .user-card .stats{display:flex;flex-direction:row;font-size:16px;justify-content:space-between;margin-bottom:0;margin-top:0;-webkit-user-select:none;-moz-user-select:none;user-select:none}.profile-sidebar-component .user-card .stats .followers-count,.profile-sidebar-component .user-card .stats .following-count,.profile-sidebar-component .user-card .stats .posts-count{display:flex;font-weight:800}.profile-sidebar-component .user-card .stats .stats-label{color:#94a3b8;font-size:11px;margin-top:-5px}',""]);const a=i},50137:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(88105),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},1582:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(48605),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},2869:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(95433),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},94207:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(41866),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},67478:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(80569),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},94608:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(9782),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},85969:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(16035),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},70205:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(16725),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},51010:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(93986),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},15473:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(97429),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},70595:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(91729),i=s(73498),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(40751);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,"3167af64",null).exports},90086:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(18713),i=s(51373),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},45836:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(8056);const i=(0,s(51900).default)({},o.render,o.staticRenderFns,!1,null,null,null).exports},99247:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(80568),i=s(60378),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(84074);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},42755:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(87661),i=s(1374),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(72682);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},21917:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(18709),i=s(72214),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},26535:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(35613),i=s(3646),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(40636);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},38287:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78559),i=s(43354),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},4268:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(88760),i=s(23983),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},8829:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(37444),i=s(59111),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},248:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(54512),i=s(56897),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(6020);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},48510:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(28476);const i=(0,s(51900).default)({},o.render,o.staticRenderFns,!1,null,null,null).exports},5327:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(50282),i=s(6921),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},37846:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(56253),i=s(40102),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},74338:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(76961),i=s(33012),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},81104:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(73433),i=s(94747),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},80979:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(23666),i=s(19651),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},31823:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(70946),i=s(84021),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},89965:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(28648),i=s(55013),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(46526);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},32303:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(68906),i=s(31631),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(8696);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},24721:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(10739),i=s(51979),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(13355);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},22583:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(30535),i=s(84185),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(62544);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},85748:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(67417),i=s(79760),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(20351);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},73498:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(71618),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},51373:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(52291),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},60378:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(95217),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},1374:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(89250),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},72214:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(8671),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},3646:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(19444),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},43354:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(13143),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},23983:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(3861),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},59111:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(60658),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},56897:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(42562),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},6921:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(36935),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},40102:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(92606),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},33012:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(51815),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},94747:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(17810),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},19651:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(2011),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},84021:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(24489),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},55013:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(84797),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},31631:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(55998),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},51979:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(92829),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},84185:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(54965),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},79760:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(44078),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},91729:(t,e,s)=>{s.r(e);var o=s(61577),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},18713:(t,e,s)=>{s.r(e);var o=s(21262),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},8056:(t,e,s)=>{s.r(e);var o=s(41262),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},80568:(t,e,s)=>{s.r(e);var o=s(72474),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},87661:(t,e,s)=>{s.r(e);var o=s(7231),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},18709:(t,e,s)=>{s.r(e);var o=s(97584),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},35613:(t,e,s)=>{s.r(e);var o=s(83692),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},78559:(t,e,s)=>{s.r(e);var o=s(54822),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},88760:(t,e,s)=>{s.r(e);var o=s(7059),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},37444:(t,e,s)=>{s.r(e);var o=s(36563),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},54512:(t,e,s)=>{s.r(e);var o=s(89140),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},28476:(t,e,s)=>{s.r(e);var o=s(73954),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},50282:(t,e,s)=>{s.r(e);var o=s(92994),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},56253:(t,e,s)=>{s.r(e);var o=s(3103),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},76961:(t,e,s)=>{s.r(e);var o=s(26208),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},73433:(t,e,s)=>{s.r(e);var o=s(84027),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},23666:(t,e,s)=>{s.r(e);var o=s(93853),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},70946:(t,e,s)=>{s.r(e);var o=s(10454),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},28648:(t,e,s)=>{s.r(e);var o=s(78007),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},68906:(t,e,s)=>{s.r(e);var o=s(14226),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},10739:(t,e,s)=>{s.r(e);var o=s(25754),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},30535:(t,e,s)=>{s.r(e);var o=s(48087),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},67417:(t,e,s)=>{s.r(e);var o=s(84478),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},40751:(t,e,s)=>{s.r(e);var o=s(50137),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},84074:(t,e,s)=>{s.r(e);var o=s(1582),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},72682:(t,e,s)=>{s.r(e);var o=s(2869),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},40636:(t,e,s)=>{s.r(e);var o=s(94207),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},6020:(t,e,s)=>{s.r(e);var o=s(67478),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},46526:(t,e,s)=>{s.r(e);var o=s(94608),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},8696:(t,e,s)=>{s.r(e);var o=s(85969),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},13355:(t,e,s)=>{s.r(e);var o=s(70205),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},62544:(t,e,s)=>{s.r(e);var o=s(51010),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},20351:(t,e,s)=>{s.r(e);var o=s(15473),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)}}]); \ No newline at end of file +"use strict";(self.webpackChunkpixelfed=self.webpackChunkpixelfed||[]).push([[6869],{71618:(t,e,s)=>{s.r(e),s.d(e,{default:()=>l});var o=s(42755),i=s(89965),a=s(85748),n=s(32303),r=s(24721);const l={props:{id:{type:String},profileId:{type:String},username:{type:String},cachedProfile:{type:Object},cachedUser:{type:Object}},components:{drawer:o.default,"profile-feed":i.default,"profile-sidebar":a.default,"profile-followers":n.default,"profile-following":r.default},data:function(){return{isLoaded:!1,curUser:void 0,tab:"index",profile:void 0,relationship:void 0}},mounted:function(){this.init()},watch:{$route:"init"},methods:{init:function(){this.tab="index",this.isLoaded=!1,this.relationship=void 0,this.owner=!1,this.cachedProfile&&this.cachedUser?(this.curUser=this.cachedUser,this.profile=this.cachedProfile,this.fetchRelationship()):(this.curUser=window._sharedData.user,this.fetchProfile())},getTabComponentName:function(){return"index"===this.tab?"profile-feed":"profile-".concat(this.tab)},fetchProfile:function(){var t=this,e=this.profileId?this.profileId:this.id;axios.get("/api/pixelfed/v1/accounts/"+e).then((function(e){t.profile=e.data,e.data.id==t.curUser.id?(t.owner=!0,t.fetchRelationship()):(t.owner=!1,t.fetchRelationship())})).catch((function(e){t.$router.push("/i/web/404")}))},fetchRelationship:function(){var t=this;if(this.owner)return this.relationship={},void(this.isLoaded=!0);axios.get("/api/v1/accounts/relationships",{params:{"id[]":this.profile.id}}).then((function(e){t.relationship=e.data[0],t.isLoaded=!0}))},toggleTab:function(t){this.tab=t},goBack:function(){this.$router.go(-1)},unfollow:function(){var t=this;axios.post("/api/v1/accounts/"+this.profile.id+"/unfollow").then((function(e){t.$store.commit("updateRelationship",[e.data]),t.relationship=e.data,t.profile.locked&&location.reload(),t.profile.followers_count--})).catch((function(e){swal("Oops!","An error occured when attempting to unfollow this account.","error"),t.relationship.following=!0}))},follow:function(){var t=this;axios.post("/api/v1/accounts/"+this.profile.id+"/follow").then((function(e){t.$store.commit("updateRelationship",[e.data]),t.relationship=e.data,t.profile.locked&&(t.relationship.requested=!0),t.profile.followers_count++})).catch((function(e){swal("Oops!","An error occured when attempting to follow this account.","error"),t.relationship.following=!1}))},updateRelationship:function(t){this.relationship=t}}}},52291:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(43985);const i={props:{hash:{type:String,required:!0},width:{type:[Number,String],default:32},height:{type:[Number,String],default:32},punch:{type:Number,default:1}},mounted:function(){this.draw()},updated:function(){},beforeDestroy:function(){},methods:{parseNumber:function(t){return"number"==typeof t?t:parseInt(t,10)},draw:function(){var t=this.parseNumber(this.width),e=this.parseNumber(this.height),s=this.parseNumber(this.punch),i=(0,o.decode)(this.hash,t,e,s),a=this.$refs.canvas.getContext("2d"),n=a.createImageData(t,e);n.data.set(i),a.putImageData(n,0,0)}}}},95217:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(26535),i=s(74338),a=s(37846),n=s(81104);const r={props:{status:{type:Object},profile:{type:Object},reactionBar:{type:Boolean,default:!0},useDropdownMenu:{type:Boolean,default:!1}},components:{"comment-drawer":o.default,"post-content":a.default,"post-header":i.default,"post-reactions":n.default},data:function(){return{key:1,menuLoading:!0,sensitive:!1,showCommentDrawer:!1,isReblogging:!1,isBookmarking:!1,owner:!1,admin:!1,license:!1}},mounted:function(){var t=this;this.license=!(!this.status.media_attachments||!this.status.media_attachments.length)&&this.status.media_attachments.filter((function(t){return t.hasOwnProperty("license")&&t.license&&t.license.hasOwnProperty("id")})).map((function(t){return t.license}))[0],this.admin=window._sharedData.user.is_admin,this.owner=this.status.account.id==window._sharedData.user.id,this.status.reply_count&&this.autoloadComments&&!1===this.status.comments_disabled&&setTimeout((function(){t.showCommentDrawer=!0}),1e3)},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}},fixedHeight:{get:function(){return 1==this.$store.state.fixedHeight}},autoloadComments:{get:function(){return 1==this.$store.state.autoloadComments}},newReactions:{get:function(){return this.$store.state.newReactions}}},watch:{status:{deep:!0,immediate:!0,handler:function(t,e){this.isBookmarking=!1}}},methods:{openMenu:function(){this.$emit("menu")},like:function(){this.$emit("like")},unlike:function(){this.$emit("unlike")},showLikes:function(){this.$emit("likes-modal")},showShares:function(){this.$emit("shares-modal")},showComments:function(){this.showCommentDrawer=!this.showCommentDrawer},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},shareStatus:function(){this.$emit("share")},unshareStatus:function(){this.$emit("unshare")},handleReport:function(t){this.$emit("handle-report",t)},follow:function(){this.$emit("follow")},unfollow:function(){this.$emit("unfollow")},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),5e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")}}}},89250:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={data:function(){return{user:window._sharedData.user}}}},8671:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object,default:{}}},data:function(){return{statusId:void 0,tabIndex:0,showFull:!1}},methods:{open:function(){this.$refs.modal.show()},close:function(){var t=this;this.$refs.modal.hide(),setTimeout((function(){t.tabIndex=0}),1e3)},handleReason:function(t){var e=this;this.tabIndex=2,axios.post("/i/report",{id:this.status.id,report:t,type:"post"}).then((function(t){e.tabIndex=3})).catch((function(t){e.tabIndex=5}))}}}},19444:(t,e,s)=>{s.r(e),s.d(e,{default:()=>l});var o=s(15235),i=s(80979),a=s(22583),n=s(38287),r=s(4268);const l={props:{status:{type:Object}},components:{VueTribute:o.default,ReadMore:i.default,ProfileHoverCard:a.default,CommentReplyForm:r.default,CommentReplies:n.default},data:function(){return{profile:window._sharedData.user,ids:[],feed:[],sortIndex:0,sorts:["all","newest","popular"],replyContent:void 0,nextUrl:void 0,canLoadMore:!1,isPostingReply:!1,showReplyOptions:!1,feedLoading:!1,isUploading:!1,uploadProgress:0,lightboxStatus:null,settings:{expanded:!1,sensitive:!1},tributeSettings:{noMatchTemplate:null,collection:[{trigger:"@",menuShowMinLength:2,values:function(t,e){axios.get("/api/compose/v0/search/mention",{params:{q:t}}).then((function(t){e(t.data)})).catch((function(t){e(),console.log(t)}))}},{trigger:"#",menuShowMinLength:2,values:function(t,e){axios.get("/api/compose/v0/search/hashtag",{params:{q:t}}).then((function(t){e(t.data)})).catch((function(t){e(),console.log(t)}))}}]},showEmptyRepliesRefresh:!1,commentReplyIndex:void 0,deletingIndex:void 0}},mounted:function(){this.fetchContext()},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}}},methods:{fetchContext:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),e.data&&e.data.data&&(e.data.data.length||!t.status.reply_count)||(t.showEmptyRepliesRefresh=!0)}))},fetchMore:function(){var t,e=this,s=arguments.length>0&&void 0!==arguments[0]?arguments[0]:3;event&&(null===(t=event.target)||void 0===t||t.blur());this.nextUrl&&axios.get(this.nextUrl,{params:{limit:s,sort:this.sorts[this.sortIndex]}}).then((function(t){e.feedLoading=!1,t.data.next||(e.canLoadMore=!1),e.nextUrl=t.data.next,t.data.data.forEach((function(t){e.ids&&-1==e.ids.indexOf(t.id)&&(e.ids.push(t.id),e.feed.push(t))}))}))},fetchSortedFeed:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feed=e.data.data,t.nextUrl=e.data.next,t.feedLoading=!1}))},forceRefresh:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,refresh_cache:!0}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),t.showEmptyRepliesRefresh=!1}))},timeago:function(t){return App.util.format.timeAgo(t)},prettyCount:function(t){return App.util.format.count(t)},goToPost:function(t){this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.status.id,sensitive:this.settings.sensitive}).then((function(e){var s=e.data;s.replies=[],t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.feed.push(s),t.$emit("counter-change","comment-increment")}))},toggleSort:function(t){this.$refs.sortMenu.hide(),this.feedLoading=!0,this.sortIndex=t,this.fetchSortedFeed()},deleteComment:function(t){var e=this;event.currentTarget.blur(),window.confirm(this.$t("menu.deletePostConfirm"))&&(this.deletingIndex=t,axios.post("/i/delete",{type:"status",item:this.feed[t].id}).then((function(s){e.ids&&e.ids.length&&e.ids.splice(t,1),e.feed&&e.feed.length&&e.feed.splice(t,1),e.$emit("counter-change","comment-decrement")})).then((function(){e.deletingIndex=void 0,e.fetchMore(1)})))},showLikesModal:function(t){this.$emit("show-likes",this.feed[t])},reportComment:function(t){this.$emit("handle-report",this.feed[t])},likeComment:function(t){event.currentTarget.blur();var e=this.feed[t],s=e.favourites_count,o=e.favourited;this.feed[t].favourited=!this.feed[t].favourited,this.feed[t].favourites_count=o?s-1:s+1,axios.post("/api/v1/statuses/"+e.id+"/"+(o?"unfavourite":"favourite")).then((function(t){}))},toggleShowReplyOptions:function(){event.currentTarget.blur(),this.showReplyOptions=!this.showReplyOptions},replyUpload:function(){event.currentTarget.blur(),this.$refs.fileInput.click()},handleImageUpload:function(){var t=this;if(this.$refs.fileInput.files.length){this.isUploading=!0;var e=new FormData;e.append("file",this.$refs.fileInput.files[0]),axios.post("/api/v1/media",e).then((function(e){axios.post("/api/v1/statuses",{status:t.replyContent,media_ids:[e.data.id],in_reply_to_id:t.status.id,sensitive:t.settings.sensitive}).then((function(e){t.feed.push(e.data),t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.$emit("counter-change","comment-increment")}))}))}},lightbox:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;this.lightboxStatus=t.media_attachments[e],this.$refs.lightboxModal.show()},hideLightbox:function(){this.lightboxStatus=null,this.$refs.lightboxModal.hide()},blurhashWidth:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?30:20},blurhashHeight:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?20:30},getMediaSource:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,s=t.media_attachments[e];return s.preview_url.endsWith("storage/no-preview.png")?s.url:s.preview_url},toggleReplyExpand:function(){event.currentTarget.blur(),this.settings.expanded=!this.settings.expanded},toggleCommentReply:function(t){this.commentReplyIndex=t,this.showCommentReplies(t)},showCommentReplies:function(t){if(this.feed[t].hasOwnProperty("replies_show")&&this.feed[t].replies_show)return this.feed[t].replies_show=!1,void(this.commentReplyIndex=void 0);this.feed[t].replies_show=!0,this.commentReplyIndex=t,this.fetchCommentReplies(t)},hideCommentReplies:function(t){this.commentReplyIndex=void 0,this.feed[t].replies_show=!1},fetchCommentReplies:function(t){var e=this;axios.get("/api/v2/statuses/"+this.feed[t].id+"/replies",{params:{limit:3}}).then((function(s){e.feed[t].replies=s.data.data}))},getPostAvatar:function(t){return this.profile.id==t.account.id?window._sharedData.user.avatar:t.account.avatar},follow:function(t){var e=this;axios.post("/api/v1/accounts/"+this.feed[t].account.id+"/follow").then((function(s){e.$store.commit("updateRelationship",[s.data]),e.feed[t].account.followers_count=e.feed[t].account.followers_count+1,window._sharedData.user.following_count=window._sharedData.user.following_count+1}))},unfollow:function(t){var e=this;axios.post("/api/v1/accounts/"+this.feed[t].account.id+"/unfollow").then((function(s){e.$store.commit("updateRelationship",[s.data]),e.feed[t].account.followers_count=e.feed[t].account.followers_count-1,window._sharedData.user.following_count=window._sharedData.user.following_count-1}))},handleCounterChange:function(t){this.$emit("counter-change",t)},pushCommentReply:function(t,e){this.feed[t].hasOwnProperty("replies")?this.feed[t].replies.push(e):this.feed[t].replies=[e],this.feed[t].reply_count=this.feed[t].reply_count+1,this.feed[t].replies_show=!0},replyCounterChange:function(t,e){switch(e){case"comment-increment":this.feed[t].reply_count=this.feed[t].reply_count+1;break;case"comment-decrement":this.feed[t].reply_count=this.feed[t].reply_count-1}}}}},13143:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(80979);const i={props:{status:{type:Object},feed:{type:Array}},components:{ReadMore:o.default},data:function(){return{loading:!0,profile:window._sharedData.user,ids:[],nextUrl:void 0,canLoadMore:!1}},watch:{feed:{deep:!0,immediate:!0,handler:function(t,e){this.loading=!1}}},methods:{fetchContext:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),e.data&&e.data.data&&(e.data.data.length||!t.status.reply_count)||(t.showEmptyRepliesRefresh=!0)}))},fetchMore:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:3;axios.get(this.nextUrl,{params:{limit:e,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feedLoading=!1,e.data.next||(t.canLoadMore=!1),t.nextUrl=e.data.next,e.data.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.feed.push(e))}))}))},fetchSortedFeed:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,sort:this.sorts[this.sortIndex]}}).then((function(e){t.feed=e.data.data,t.nextUrl=e.data.next,t.feedLoading=!1}))},forceRefresh:function(){var t=this;axios.get("/api/v2/statuses/"+this.status.id+"/replies",{params:{limit:3,refresh_cache:!0}}).then((function(e){e.data.next&&(t.nextUrl=e.data.next,t.canLoadMore=!0),e.data.data.forEach((function(e){t.ids.push(e.id),t.feed.push(e)})),t.showEmptyRepliesRefresh=!1}))},timeago:function(t){return App.util.format.timeAgo(t)},prettyCount:function(t){return App.util.format.count(t)},goToPost:function(t){this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.status.id,sensitive:this.settings.sensitive}).then((function(e){t.replyContent=void 0,t.isPostingReply=!1,t.ids.push(e.data.id),t.feed.push(e.data),t.$emit("new-comment",e.data)}))},toggleSort:function(t){this.$refs.sortMenu.hide(),this.feedLoading=!0,this.sortIndex=t,this.fetchSortedFeed()},deleteComment:function(t){var e=this;event.currentTarget.blur(),window.confirm(this.$t("menu.deletePostConfirm"))&&axios.post("/i/delete",{type:"status",item:this.feed[t].id}).then((function(s){e.feed.splice(t,1),e.$emit("counter-change","comment-decrement"),e.fetchMore(1)})).catch((function(t){}))},showLikesModal:function(t){this.$emit("show-likes",this.feed[t])},reportComment:function(t){this.$emit("handle-report",this.feed[t])},likeComment:function(t){event.currentTarget.blur();var e=this.feed[t],s=e.favourites_count,o=e.favourited;this.feed[t].favourited=!this.feed[t].favourited,this.feed[t].favourites_count=o?s-1:s+1,axios.post("/api/v1/statuses/"+e.id+"/"+(o?"unfavourite":"favourite")).then((function(t){}))},toggleShowReplyOptions:function(){event.currentTarget.blur(),this.showReplyOptions=!this.showReplyOptions},replyUpload:function(){event.currentTarget.blur(),this.$refs.fileInput.click()},handleImageUpload:function(){var t=this;if(this.$refs.fileInput.files.length){this.isUploading=!0;var e=new FormData;e.append("file",this.$refs.fileInput.files[0]),axios.post("/api/v1/media",e).then((function(e){axios.post("/api/v1/statuses",{media_ids:[e.data.id],in_reply_to_id:t.status.id,sensitive:t.settings.sensitive}).then((function(e){t.feed.push(e.data)}))}))}},lightbox:function(t){this.lightboxStatus=t.media_attachments[0],this.$refs.lightboxModal.show()},hideLightbox:function(){this.lightboxStatus=null,this.$refs.lightboxModal.hide()},blurhashWidth:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?30:20},blurhashHeight:function(t){if(!t.media_attachments[0].meta)return 25;var e=t.media_attachments[0].meta.original.aspect;return 1==e?25:e>1?20:30},getMediaSource:function(t){var e=t.media_attachments[0];return e.preview_url.endsWith("storage/no-preview.png")?e.url:e.preview_url},toggleReplyExpand:function(){event.currentTarget.blur(),this.settings.expanded=!this.settings.expanded},toggleCommentReply:function(t){this.commentReplyIndex=t}}}},3861:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{parentId:{type:String}},data:function(){return{config:App.config,isPostingReply:!1,replyContent:"",profile:window._sharedData.user,sensitive:!1}},methods:{storeComment:function(){var t=this;this.isPostingReply=!0,axios.post("/api/v1/statuses",{status:this.replyContent,in_reply_to_id:this.parentId,sensitive:this.sensitive}).then((function(e){t.replyContent=void 0,t.isPostingReply=!1,t.$emit("new-comment",e.data)}))}}}},60658:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(19755);const i={props:["status","profile"],data:function(){return{config:window.App.config,ctxMenuStatus:!1,ctxMenuRelationship:!1,ctxEmbedPayload:!1,copiedEmbed:!1,replySending:!1,ctxEmbedShowCaption:!0,ctxEmbedShowLikes:!1,ctxEmbedCompactMode:!1,confirmModalTitle:"Are you sure?",confirmModalIdentifer:null,confirmModalType:!1,isDeleting:!1}},watch:{ctxEmbedShowCaption:function(t,e){1==t&&(this.ctxEmbedCompactMode=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)},ctxEmbedShowLikes:function(t,e){1==t&&(this.ctxEmbedCompactMode=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)},ctxEmbedCompactMode:function(t,e){1==t&&(this.ctxEmbedShowCaption=!1,this.ctxEmbedShowLikes=!1);var s=this.ctxEmbedCompactMode?"compact":"full";this.ctxEmbedPayload=window.App.util.embed.post(this.ctxMenuStatus.url,this.ctxEmbedShowCaption,this.ctxEmbedShowLikes,s)}},methods:{open:function(){this.ctxMenu()},openModMenu:function(){this.$refs.ctxModModal.show()},ctxMenu:function(){this.ctxMenuStatus=this.status,this.ctxEmbedPayload=window.App.util.embed.post(this.status.url),this.ctxMenuRelationship=!1,this.$refs.ctxModal.show()},closeCtxMenu:function(){this.copiedEmbed=!1,this.ctxMenuStatus=!1,this.ctxMenuRelationship=!1,this.$refs.ctxModal.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxReportOther.hide(),this.closeModals()},ctxMenuCopyLink:function(){var t=this.ctxMenuStatus;navigator.clipboard.writeText(t.url),this.closeModals()},ctxMenuGoToPost:function(){var t=this.ctxMenuStatus;this.statusUrl(t),this.closeCtxMenu()},ctxMenuGoToProfile:function(){var t=this.ctxMenuStatus;this.profileUrl(t),this.closeCtxMenu()},ctxMenuReportPost:function(){this.$refs.ctxModal.hide(),this.$emit("report-modal",this.ctxMenuStatus)},ctxMenuEmbed:function(){this.closeModals(),this.$refs.ctxEmbedModal.show()},ctxMenuShare:function(){this.$refs.ctxModal.hide(),this.$refs.ctxShareModal.show()},closeCtxShareMenu:function(){this.$refs.ctxShareModal.hide(),this.$refs.ctxModal.show()},ctxCopyEmbed:function(){navigator.clipboard.writeText(this.ctxEmbedPayload),this.ctxEmbedShowCaption=!0,this.ctxEmbedShowLikes=!1,this.ctxEmbedCompactMode=!1,this.$refs.ctxEmbedModal.hide()},ctxModMenuShow:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.show()},ctxModOtherMenuShow:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.hide(),this.$refs.ctxModOtherModal.show()},ctxModMenu:function(){this.$refs.ctxModal.hide()},ctxModMenuClose:function(){this.closeModals()},ctxModOtherMenuClose:function(){this.closeModals(),this.$refs.ctxModModal.show()},formatCount:function(t){return App.util.format.count(t)},openCtxReportOtherMenu:function(){var t=this.ctxMenuStatus;this.closeCtxMenu(),this.ctxMenuStatus=t,this.$refs.ctxReportOther.show()},ctxReportMenuGoBack:function(){this.$refs.ctxReportOther.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxModal.show()},ctxReportOtherMenuGoBack:function(){this.$refs.ctxReportOther.hide(),this.$refs.ctxModal.hide(),this.$refs.ctxReport.show()},sendReport:function(t){var e=this,s=this.ctxMenuStatus.id;swal({title:this.$t("menu.confirmReport"),text:this.$t("menu.confirmReportText"),icon:"warning",buttons:!0,dangerMode:!0}).then((function(o){o?axios.post("/i/report/",{report:t,type:"post",id:s}).then((function(t){e.closeCtxMenu(),swal(e.$t("menu.reportSent"),e.$t("menu.reportSentText"),"success")})).catch((function(t){swal(e.$t("common.oops"),e.$t("menu.reportSentError"),"error")})):e.closeCtxMenu()}))},closeModals:function(){this.$refs.ctxModal.hide(),this.$refs.ctxModModal.hide(),this.$refs.ctxModOtherModal.hide(),this.$refs.ctxShareModal.hide(),this.$refs.ctxEmbedModal.hide(),this.$refs.ctxReport.hide(),this.$refs.ctxReportOther.hide(),this.$refs.ctxConfirm.hide()},openCtxStatusModal:function(){this.closeModals(),this.$refs.ctxStatusModal.show()},openConfirmModal:function(){this.closeModals(),this.$refs.ctxConfirm.show()},closeConfirmModal:function(){this.closeModals(),this.confirmModalTitle="Are you sure?",this.confirmModalType=!1,this.confirmModalIdentifer=null},confirmModalConfirm:function(){var t=this;if("post.delete"===this.confirmModalType)axios.post("/i/delete",{type:"status",item:this.confirmModalIdentifer}).then((function(e){t.feed=t.feed.filter((function(e){return e.id!=t.confirmModalIdentifer})),t.closeConfirmModal()})).catch((function(e){t.closeConfirmModal(),swal(t.$t("common.error"),t.$t("common.errorMsg"),"error")}));this.closeConfirmModal()},confirmModalCancel:function(){this.closeConfirmModal()},moderatePost:function(t,e,s){var o=this,i=(t.account.username,t.id,""),a=this;switch(e){case"addcw":i=this.$t("menu.modAddCWConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){swal(o.$t("common.success"),o.$t("menu.modCWSuccess"),"success"),o.$emit("moderate","addcw"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"remcw":i=this.$t("menu.modRemoveCWConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){swal(o.$t("common.success"),o.$t("menu.modRemoveCWSuccess"),"success"),o.$emit("moderate","remcw"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"unlist":i=this.$t("menu.modUnlistConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){o.$emit("moderate","unlist"),swal(o.$t("common.success"),o.$t("menu.modUnlistSuccess"),"success"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}));break;case"spammer":i=this.$t("menu.modMarkAsSpammerConfirm"),swal({title:"Confirm",text:i,icon:"warning",buttons:!0,dangerMode:!0}).then((function(s){s&&axios.post("/api/v2/moderator/action",{action:e,item_id:t.id,item_type:"status"}).then((function(t){o.$emit("moderate","spammer"),swal(o.$t("common.success"),o.$t("menu.modMarkAsSpammerSuccess"),"success"),a.closeModals(),a.ctxModMenuClose()})).catch((function(t){a.closeModals(),a.ctxModMenuClose(),swal(o.$t("common.error"),o.$t("common.errorMsg"),"error")}))}))}},shareStatus:function(t,e){var s=this;0!=o("body").hasClass("loggedIn")&&(this.closeModals(),axios.post("/i/share",{item:t.id}).then((function(e){t.reblogs_count=e.data.count,t.reblogged=!t.reblogged})).catch((function(t){swal(s.$t("common.error"),s.$t("common.errorMsg"),"error")})))},statusUrl:function(t){if(1!=t.account.local)return this.$route.params.hasOwnProperty("id")?void(location.href=t.url):void this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}});this.$router.push({name:"post",path:"/i/web/post/".concat(t.id),params:{id:t.id,cachedStatus:t,cachedProfile:this.profile}})},profileUrl:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.account.id),params:{id:t.account.id,cachedProfile:t.account,cachedUser:this.profile}})},deletePost:function(t){var e=this;this.isDeleting=!0,0!=this.ownerOrAdmin(t)&&0!=window.confirm(this.$t("menu.deletePostConfirm"))&&axios.post("/i/delete",{type:"status",item:t.id}).then((function(t){e.$emit("delete"),e.closeModals(),e.isDeleting=!1})).catch((function(t){swal(e.$t("common.error"),e.$t("common.errorMsg"),"error")}))},owner:function(t){return this.profile.id===t.account.id},admin:function(){return 1==this.profile.is_admin},ownerOrAdmin:function(t){return this.owner(t)||this.admin()},archivePost:function(t){var e=this;0!=window.confirm(this.$t("menu.archivePostConfirm"))&&axios.post("/api/pixelfed/v2/status/"+t.id+"/archive").then((function(s){e.$emit("status-delete",t.id),e.$emit("archived",t.id),e.closeModals()}))},unarchivePost:function(t){var e=this;0!=window.confirm(this.$t("menu.unarchivePostConfirm"))&&axios.post("/api/pixelfed/v2/status/"+t.id+"/unarchive").then((function(s){e.$emit("unarchived",t.id),e.closeModals()}))},editPost:function(t){this.closeModals(),this.$emit("edit",t)}}}},42562:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object}},data:function(){return{isOpen:!1,isLoading:!0,allHistory:[],historyIndex:void 0,user:window._sharedData.user}},methods:{open:function(){var t=this;this.isOpen=!0,this.isLoading=!0,this.historyIndex=void 0,this.allHistory=[],setTimeout((function(){t.fetchHistory()}),300)},fetchHistory:function(){var t=this;axios.get("/api/v1/statuses/".concat(this.status.id,"/history")).then((function(e){t.allHistory=e.data})).finally((function(){t.isLoading=!1}))},getDiff:function(t){if(t==this.allHistory.length-1)return this.allHistory[this.allHistory.length-1].content;var e=document.createElement("div");return r.forEach((function(t){var s=t.added?"green":t.removed?"red":"grey",o=document.createElement("span");(o.style.color=s,console.log(t.value,t.value.length),t.added)?t.value.trim().length?o.appendChild(document.createTextNode(t.value)):o.appendChild(document.createTextNode("·")):o.appendChild(document.createTextNode(t.value));e.appendChild(o)})),e.innerHTML},formatTime:function(t){var e=Date.parse(t),s=Math.floor((new Date-e)/1e3),o=Math.floor(s/63072e3);return o<0?"0s":o>=1?o+(1==o?" year":" years")+" ago":(o=Math.floor(s/604800))>=1?o+(1==o?" week":" weeks")+" ago":(o=Math.floor(s/86400))>=1?o+(1==o?" day":" days")+" ago":(o=Math.floor(s/3600))>=1?o+(1==o?" hour":" hours")+" ago":(o=Math.floor(s/60))>=1?o+(1==o?" minute":" minutes")+" ago":Math.floor(s)+" seconds ago"},postType:function(){if(void 0!==this.historyIndex){var t=this.allHistory[this.historyIndex];if(!t)return"text";var e=t.media_attachments;return e&&e.length?1==e.length?e[0].type:"album":"text"}}}}},36935:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78423),i=s(48510),a=s(10831);const n={props:{status:{type:Object},profile:{type:Object}},components:{intersect:o.default,"like-placeholder":i.default},data:function(){return{isOpen:!1,isLoading:!0,canLoadMore:!1,isFetchingMore:!1,likes:[],ids:[],cursor:void 0,isUpdatingFollowState:!1,followStateIndex:void 0,user:window._sharedData.user}},methods:{clear:function(){this.isOpen=!1,this.isLoading=!0,this.canLoadMore=!1,this.isFetchingMore=!1,this.likes=[],this.ids=[],this.cursor=void 0},fetchLikes:function(){var t=this;axios.get("/api/v1/statuses/"+this.status.id+"/favourited_by",{params:{limit:40,_pe:1}}).then((function(e){if(t.ids=e.data.map((function(t){return t.id})),t.likes=e.data,e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?(t.cursor=s.prev.cursor,t.canLoadMore=!0):t.canLoadMore=!1}else t.canLoadMore=!1;t.isLoading=!1}))},open:function(){this.cursor&&this.clear(),this.isOpen=!0,this.fetchLikes(),this.$refs.likesModal.show()},enterIntersect:function(){var t=this;this.isFetchingMore||(this.isFetchingMore=!0,axios.get("/api/v1/statuses/"+this.status.id+"/favourited_by",{params:{limit:10,cursor:this.cursor,_pe:1}}).then((function(e){if(!e.data||!e.data.length)return t.canLoadMore=!1,void(t.isFetchingMore=!1);if(e.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.likes.push(e))})),e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?t.cursor=s.prev.cursor:t.canLoadMore=!1}else t.canLoadMore=!1;t.isFetchingMore=!1})))},getUsername:function(t){return t.display_name?t.display_name:t.username},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},handleFollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/follow").then((function(s){e.likes[t].follows=!0,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))},handleUnfollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/unfollow").then((function(s){e.likes[t].follows=!1,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))}}}},92606:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(99347);const i={props:["status"],components:{"read-more":s(80979).default},data:function(){return{key:1,sensitive:!1}},computed:{fixedHeight:{get:function(){return 1==this.$store.state.fixedHeight}}},methods:{toggleLightbox:function(t){(0,o.default)({el:t.target})},toggleContentWarning:function(){this.key++,this.sensitive=!0,this.status.sensitive=!this.status.sensitive},getPoster:function(t){var e=t.media_attachments[0].preview_url;if(!e.endsWith("no-preview.jpg")&&!e.endsWith("no-preview.png"))return e}}}},51815:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(22583),i=s(248);const a={props:{status:{type:Object},profile:{type:Object},useDropdownMenu:{type:Boolean,default:!1}},components:{"profile-hover-card":o.default,"edit-history-modal":i.default},data:function(){return{config:window.App.config,menuLoading:!0,owner:!1,admin:!1,license:!1}},methods:{timeago:function(t){var e=App.util.format.timeAgo(t);return e.endsWith("s")||e.endsWith("m")||e.endsWith("h")?e:new Intl.DateTimeFormat(void 0,{year:"numeric",month:"short",day:"numeric",hour:"numeric",minute:"numeric"}).format(new Date(t))},openMenu:function(){this.$emit("menu")},scopeIcon:function(t){switch(t){case"public":default:return"far fa-globe";case"unlisted":return"far fa-lock-open";case"private":return"far fa-lock"}},scopeTitle:function(t){switch(t){case"public":return"Visible to everyone";case"unlisted":return"Hidden from public feeds";case"private":return"Only visible to followers";default:return""}},goToPost:function(){location.pathname.split("/").pop()!=this.status.id?this.$router.push({name:"post",path:"/i/web/post/".concat(this.status.id),params:{id:this.status.id,cachedStatus:this.status,cachedProfile:this.profile}}):location.href=this.status.local?this.status.url+"?fs=1":this.status.url},goToProfile:function(){var t=this;this.$nextTick((function(){t.$router.push({name:"profile",path:"/i/web/profile/".concat(t.status.account.id),params:{id:t.status.account.id,cachedProfile:t.status.account,cachedUser:t.profile}})}))},toggleContentWarning:function(){this.key++,this.sensitive=!0,this.status.sensitive=!this.status.sensitive},like:function(){event.currentTarget.blur(),this.status.favourited?this.$emit("unlike"):this.$emit("like")},toggleMenu:function(t){var e=this;setTimeout((function(){e.menuLoading=!1}),500)},closeMenu:function(t){setTimeout((function(){t.target.parentNode.firstElementChild.blur()}),100)},showLikes:function(){event.currentTarget.blur(),this.$emit("likes-modal")},showShares:function(){event.currentTarget.blur(),this.$emit("shares-modal")},showComments:function(){event.currentTarget.blur(),this.showCommentDrawer=!this.showCommentDrawer},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},shareStatus:function(){this.$emit("share")},unshareStatus:function(){this.$emit("unshare")},handleReport:function(t){this.$emit("handle-report",t)},follow:function(){this.$emit("follow")},unfollow:function(){this.$emit("unfollow")},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),5e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")},openEditModal:function(){this.$refs.editModal.open()}}}},17810:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(26535),i=s(22583);const a={props:{status:{type:Object},profile:{type:Object},admin:{type:Boolean,default:!1}},components:{"comment-drawer":o.default,"profile-hover-card":i.default},data:function(){return{key:1,menuLoading:!0,sensitive:!1,isReblogging:!1,isBookmarking:!1,owner:!1,license:!1}},computed:{hideCounts:{get:function(){return 1==this.$store.state.hideCounts}},autoloadComments:{get:function(){return 1==this.$store.state.autoloadComments}},newReactions:{get:function(){return this.$store.state.newReactions}},likesCount:function(){return this.status.favourites_count},replyCount:function(){return this.status.reply_count}},methods:{count:function(t){return App.util.format.count(t)},like:function(){event.currentTarget.blur(),this.status.favourited?this.$emit("unlike"):this.$emit("like")},showLikes:function(){event.currentTarget.blur(),this.$emit("likes-modal")},showShares:function(){event.currentTarget.blur(),this.$emit("shares-modal")},showComments:function(){event.currentTarget.blur(),this.$emit("toggle-comments")},copyLink:function(){event.currentTarget.blur(),App.util.clipboard(this.status.url)},shareToOther:function(){navigator.canShare?navigator.share({url:this.status.url}).then((function(){return console.log("Share was successful.")})).catch((function(t){return console.log("Sharing failed",t)})):swal("Not supported","Your current device does not support native sharing.","error")},counterChange:function(t){this.$emit("counter-change",t)},showCommentLikes:function(t){this.$emit("comment-likes-modal",t)},handleReblog:function(){var t=this;this.isReblogging=!0,this.status.reblogged?this.$emit("unshare"):this.$emit("share"),setTimeout((function(){t.isReblogging=!1}),5e3)},handleBookmark:function(){var t=this;event.currentTarget.blur(),this.isBookmarking=!0,this.$emit("bookmark"),setTimeout((function(){t.isBookmarking=!1}),2e3)},getStatusAvatar:function(){return window._sharedData.user.id==this.status.account.id?window._sharedData.user.avatar:this.status.account.avatar},openModTools:function(){this.$emit("mod-tools")}}}},2011:(t,e,s)=>{s.r(e),s.d(e,{default:()=>o});const o={props:{status:{type:Object},cursorLimit:{type:Number,default:200}},data:function(){return{preRender:void 0,fullContent:null,content:null,cursor:200}},mounted:function(){this.rewriteLinks()},methods:{readMore:function(){this.cursor=this.cursor+200,this.content=this.fullContent.substr(0,this.cursor)},rewriteLinks:function(){var t=this,e=this.status.content,s=document.createElement("div");s.innerHTML=e,s.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),s.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.status.account.local&&!s.includes("@")){var o=document.createElement("a");o.href=e.getAttribute("href"),s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.content=s.outerHTML,this.injectCustomEmoji()},injectCustomEmoji:function(){var t=this;this.status.emojis.forEach((function(e){var s=''.concat(e.shortcode,'');t.content=t.content.replace(":".concat(e.shortcode,":"),s)}))}}}},24489:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78423),i=s(48510),a=s(10831);const n={props:{status:{type:Object},profile:{type:Object}},components:{intersect:o.default,"like-placeholder":i.default},data:function(){return{isOpen:!1,isLoading:!0,canLoadMore:!1,isFetchingMore:!1,likes:[],ids:[],cursor:void 0,isUpdatingFollowState:!1,followStateIndex:void 0,user:window._sharedData.user}},methods:{clear:function(){this.isOpen=!1,this.isLoading=!0,this.canLoadMore=!1,this.isFetchingMore=!1,this.likes=[],this.ids=[],this.cursor=void 0},fetchShares:function(){var t=this;axios.get("/api/v1/statuses/"+this.status.id+"/reblogged_by",{params:{limit:40,_pe:1}}).then((function(e){if(t.ids=e.data.map((function(t){return t.id})),t.likes=e.data,e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?(t.cursor=s.prev.cursor,t.canLoadMore=!0):t.canLoadMore=!1}else t.canLoadMore=!1;t.isLoading=!1}))},open:function(){this.cursor&&this.clear(),this.isOpen=!0,this.fetchShares(),this.$refs.sharesModal.show()},enterIntersect:function(){var t=this;this.isFetchingMore||(this.isFetchingMore=!0,axios.get("/api/v1/statuses/"+this.status.id+"/reblogged_by",{params:{limit:10,cursor:this.cursor,_pe:1}}).then((function(e){if(!e.data||!e.data.length)return t.canLoadMore=!1,void(t.isFetchingMore=!1);if(e.data.forEach((function(e){-1==t.ids.indexOf(e.id)&&(t.ids.push(e.id),t.likes.push(e))})),e.headers&&e.headers.link){var s=(0,a.parseLinkHeader)(e.headers.link);s.prev?t.cursor=s.prev.cursor:t.canLoadMore=!1}else t.canLoadMore=!1;t.isFetchingMore=!1})))},getUsername:function(t){return t.display_name?t.display_name:t.username},goToProfile:function(t){this.$router.push({name:"profile",path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},handleFollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/follow").then((function(s){e.likes[t].follows=!0,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))},handleUnfollow:function(t){var e=this;event.currentTarget.blur(),this.followStateIndex=t,this.isUpdatingFollowState=!0;var s=this.likes[t];axios.post("/api/v1/accounts/"+s.id+"/unfollow").then((function(s){e.likes[t].follows=!1,e.followStateIndex=void 0,e.isUpdatingFollowState=!1}))}}}},84797:(t,e,s)=>{s.r(e),s.d(e,{default:()=>h});var o=s(78423),i=s(99247),a=s(45836),n=s(90086),r=s(8829),l=s(5327),c=s(31823),d=s(21917),u=s(10831);function f(t){return function(t){if(Array.isArray(t))return p(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return p(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return p(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function p(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s0})),o=s.map((function(t){return t.id}));t.ids=o,t.max_id=Math.min.apply(Math,f(o)),s.forEach((function(e){t.feed.push(e)})),setTimeout((function(){t.canLoadMore=e.data.length>1,t.feedLoaded=!0}),500)}))},enterIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v1/accounts/"+this.profile.id+"/statuses",{params:{limit:9,only_media:!0,max_id:this.max_id}}).then((function(e){e.data&&e.data.length||(t.canLoadMore=!1);var s=e.data.filter((function(t){return t.media_attachments.length>0})).filter((function(e){return-1==t.ids.indexOf(e.id)}));if(!s||!s.length)return t.canLoadMore=!1,void(t.isIntersecting=!1);s.forEach((function(e){e.id=1})).catch((function(e){t.canLoadMore=!1})))},toggleLayout:function(t){arguments.length>1&&void 0!==arguments[1]&&arguments[1]&&event.currentTarget.blur(),this.layoutIndex=t,this.isIntersecting=!1},toggleTab:function(t){switch(event.currentTarget.blur(),t){case 1:this.isIntersecting=!1,this.tabIndex=1;break;case 2:this.fetchCollections();break;case 3:this.fetchFavourites();break;case"bookmarks":this.fetchBookmarks();break;case"archives":this.fetchArchives()}},fetchCollections:function(){var t=this;this.collectionsLoaded&&(this.tabIndex=2),axios.get("/api/local/profile/collections/"+this.profile.id).then((function(e){t.collections=e.data,t.collectionsLoaded=!0,t.tabIndex=2,t.collectionsPage++,t.canLoadMoreCollections=9===e.data.length}))},enterCollectionsIntersect:function(){var t=this;this.isCollectionsIntersecting||(this.isCollectionsIntersecting=!0,axios.get("/api/local/profile/collections/"+this.profile.id,{params:{limit:9,page:this.collectionsPage}}).then((function(e){var s;e.data&&e.data.length||(t.canLoadMoreCollections=!1),t.collectionsLoaded=!0,(s=t.collections).push.apply(s,f(e.data)),t.collectionsPage++,t.canLoadMoreCollections=e.data.length>0,t.isCollectionsIntersecting=!1})).catch((function(e){t.canLoadMoreCollections=!1,t.isCollectionsIntersecting=!1})))},fetchFavourites:function(){var t=this;this.tabIndex=0,axios.get("/api/pixelfed/v1/favourites").then((function(e){t.tabIndex=3,t.favourites=e.data,t.favouritesPage++,t.favouritesLoaded=!0,0!=e.data.length&&(t.canLoadMoreFavourites=!0)}))},enterFavouritesIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v1/favourites",{params:{page:this.favouritesPage}}).then((function(e){var s;(s=t.favourites).push.apply(s,f(e.data)),t.favouritesPage++,t.canLoadMoreFavourites=0!=e.data.length,t.isIntersecting=!1})).catch((function(e){t.canLoadMoreFavourites=!1})))},fetchBookmarks:function(){var t=this;this.tabIndex=0,axios.get("/api/v1/bookmarks",{params:{_pe:1}}).then((function(e){if(t.tabIndex="bookmarks",t.bookmarks=e.data,e.headers&&e.headers.link){var s=(0,u.parseLinkHeader)(e.headers.link);s.next?(t.bookmarksPage=s.next.cursor,t.canLoadMoreBookmarks=!0):t.canLoadMoreBookmarks=!1}t.bookmarksLoaded=!0}))},enterBookmarksIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/v1/bookmarks",{params:{_pe:1,cursor:this.bookmarksPage}}).then((function(e){var s;if((s=t.bookmarks).push.apply(s,f(e.data)),e.headers&&e.headers.link){var o=(0,u.parseLinkHeader)(e.headers.link);o.next?(t.bookmarksPage=o.next.cursor,t.canLoadMoreBookmarks=!0):t.canLoadMoreBookmarks=!1}t.isIntersecting=!1})).catch((function(e){t.canLoadMoreBookmarks=!1})))},fetchArchives:function(){var t=this;this.tabIndex=0,axios.get("/api/pixelfed/v2/statuses/archives").then((function(e){t.tabIndex="archives",t.archives=e.data,t.archivesPage++,t.archivesLoaded=!0,0!=e.data.length&&(t.canLoadMoreArchives=!0)}))},formatCount:function(t){return App.util.format.count(t)},statusUrl:function(t){return"/i/web/post/"+t.id},previewUrl:function(t){return t.sensitive?"/storage/no-preview.png?v="+(new Date).getTime():t.media_attachments[0].url},timeago:function(t){return App.util.format.timeAgo(t)},likeStatus:function(t){var e=this,s=this.feed[t],o=(s.favourited,s.favourites_count);this.feed[t].favourites_count=o+1,this.feed[t].favourited=!s.favourited,axios.post("/api/v1/statuses/"+s.id+"/favourite").catch((function(s){e.feed[t].favourites_count=o,e.feed[t].favourited=!1}))},unlikeStatus:function(t){var e=this,s=this.feed[t],o=(s.favourited,s.favourites_count);this.feed[t].favourites_count=o-1,this.feed[t].favourited=!s.favourited,axios.post("/api/v1/statuses/"+s.id+"/unfavourite").catch((function(s){e.feed[t].favourites_count=o,e.feed[t].favourited=!1}))},openContextMenu:function(t){var e=this;switch(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"feed"){case"feed":this.postIndex=t,this.contextMenuPost=this.feed[t];break;case"archive":this.postIndex=t,this.contextMenuPost=this.archives[t]}this.showMenu=!0,this.$nextTick((function(){e.$refs.contextMenu.open()}))},openLikesModal:function(t){var e=this;this.postIndex=t,this.likesModalPost=this.feed[this.postIndex],this.showLikesModal=!0,this.$nextTick((function(){e.$refs.likesModal.open()}))},openSharesModal:function(t){var e=this;this.postIndex=t,this.sharesModalPost=this.feed[this.postIndex],this.showSharesModal=!0,this.$nextTick((function(){e.$refs.sharesModal.open()}))},commitModeration:function(t){var e=this.postIndex;switch(t){case"addcw":this.feed[e].sensitive=!0;break;case"remcw":this.feed[e].sensitive=!1;break;case"unlist":this.feed.splice(e,1);break;case"spammer":var s=this.feed[e].account.id;this.feed=this.feed.filter((function(t){return t.account.id!=s}))}},counterChange:function(t,e){switch(e){case"comment-increment":this.feed[t].reply_count=this.feed[t].reply_count+1;break;case"comment-decrement":this.feed[t].reply_count=this.feed[t].reply_count-1}},openCommentLikesModal:function(t){var e=this;this.likesModalPost=t,this.showLikesModal=!0,this.$nextTick((function(){e.$refs.likesModal.open()}))},shareStatus:function(t){var e=this,s=this.feed[t],o=(s.reblogged,s.reblogs_count);this.feed[t].reblogs_count=o+1,this.feed[t].reblogged=!s.reblogged,axios.post("/api/v1/statuses/"+s.id+"/reblog").catch((function(s){e.feed[t].reblogs_count=o,e.feed[t].reblogged=!1}))},unshareStatus:function(t){var e=this,s=this.feed[t],o=(s.reblogged,s.reblogs_count);this.feed[t].reblogs_count=o-1,this.feed[t].reblogged=!s.reblogged,axios.post("/api/v1/statuses/"+s.id+"/unreblog").catch((function(s){e.feed[t].reblogs_count=o,e.feed[t].reblogged=!1}))},handleReport:function(t){var e=this;this.reportedStatusId=t.id,this.$nextTick((function(){e.reportedStatus=t,e.$refs.reportModal.open()}))},deletePost:function(){this.feed.splice(this.postIndex,1)},handleArchived:function(t){this.feed.splice(this.postIndex,1)},handleUnarchived:function(t){this.feed=[],this.fetchFeed()},enterArchivesIntersect:function(){var t=this;this.isIntersecting||(this.isIntersecting=!0,axios.get("/api/pixelfed/v2/statuses/archives",{params:{page:this.archivesPage}}).then((function(e){var s;(s=t.archives).push.apply(s,f(e.data)),t.archivesPage++,t.canLoadMoreArchives=0!=e.data.length,t.isIntersecting=!1})).catch((function(e){t.canLoadMoreArchives=!1})))},handleBookmark:function(t){var e=this;if(window.confirm("Are you sure you want to unbookmark this post?")){var s=this.bookmarks[t];axios.post("/i/bookmark",{item:s.id}).then((function(o){e.bookmarks=e.bookmarks.map((function(t){return t.id==s.id&&(t.bookmarked=!1,delete t.bookmarked_at),t})),e.bookmarks.splice(t,1)})).catch((function(t){e.$bvToast.toast("Cannot bookmark post at this time.",{title:"Bookmark Error",variant:"danger",autoHideDelay:5e3})}))}}}}},55998:(t,e,s)=>{s.r(e),s.d(e,{default:()=>p});var o=s(78423),i=s(48510),a=s(22583),n=s(20629),r=s(10831);function l(t){return l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},l(t)}function c(t){return function(t){if(Array.isArray(t))return d(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return d(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return d(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function d(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s)?/g,(function(t){var s=t.slice(1,t.length-1),o=e.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):t}))}return s},goToProfile:function(t){this.$router.push({path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},goBack:function(){this.$emit("back")},setCacheWarmTimeout:function(){var t=this;if(this.cacheWarmInterations>=5)return this.isWarmingCache=!1,void swal("Oops","Its taking longer than expected to collect this account followers. Please try again later","error");this.cacheWarmTimeout=setTimeout((function(){t.cacheWarmInterations++,t.fetchFollowers()}),45e3)}}}},92829:(t,e,s)=>{s.r(e),s.d(e,{default:()=>p});var o=s(78423),i=s(48510),a=s(22583),n=s(20629),r=s(10831);function l(t){return l="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},l(t)}function c(t){return function(t){if(Array.isArray(t))return d(t)}(t)||function(t){if("undefined"!=typeof Symbol&&null!=t[Symbol.iterator]||null!=t["@@iterator"])return Array.from(t)}(t)||function(t,e){if(!t)return;if("string"==typeof t)return d(t,e);var s=Object.prototype.toString.call(t).slice(8,-1);"Object"===s&&t.constructor&&(s=t.constructor.name);if("Map"===s||"Set"===s)return Array.from(t);if("Arguments"===s||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(s))return d(t,e)}(t)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function d(t,e){(null==e||e>t.length)&&(e=t.length);for(var s=0,o=new Array(e);s)?/g,(function(t){var s=t.slice(1,t.length-1),o=e.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):t}))}return s},goToProfile:function(t){this.$router.push({path:"/i/web/profile/".concat(t.id),params:{id:t.id,cachedProfile:t,cachedUser:this.profile}})},goBack:function(){this.$emit("back")},setCacheWarmTimeout:function(){var t=this;if(this.cacheWarmInterations>=5)return this.isWarmingCache=!1,void swal("Oops","Its taking longer than expected to collect following accounts. Please try again later","error");this.cacheWarmTimeout=setTimeout((function(){t.cacheWarmInterations++,t.fetchFollowers()}),45e3)}}}},54965:(t,e,s)=>{s.r(e),s.d(e,{default:()=>l});var o=s(80979),i=s(20629);function a(t){return a="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},a(t)}function n(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(t);e&&(o=o.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),s.push.apply(s,o)}return s}function r(t,e,s){return(e=function(t){var e=function(t,e){if("object"!==a(t)||null===t)return t;var s=t[Symbol.toPrimitive];if(void 0!==s){var o=s.call(t,e||"default");if("object"!==a(o))return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===e?String:Number)(t)}(t,"string");return"symbol"===a(e)?e:String(e)}(e))in t?Object.defineProperty(t,e,{value:s,enumerable:!0,configurable:!0,writable:!0}):t[e]=s,t}const l={props:{profile:{type:Object}},components:{ReadMore:o.default},data:function(){return{user:window._sharedData.user,bio:void 0,isLoading:!1,relationship:void 0}},mounted:function(){var t=this;this.rewriteLinks(),this.relationship=this.$store.getters.getRelationship(this.profile.id),this.relationship||this.profile.id==this.user.id||axios.get("/api/pixelfed/v1/accounts/relationships",{params:{"id[]":this.profile.id}}).then((function(e){t.relationship=e.data[0],t.$store.commit("updateRelationship",e.data)}))},computed:function(t){for(var e=1;e)?/g,(function(e){var s=e.slice(1,e.length-1),o=t.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):e}))}return s},getUsername:function(){return this.profile.acct},formatCount:function(t){return App.util.format.count(t)},goToProfile:function(){this.$router.push({name:"profile",path:"/i/web/profile/".concat(this.profile.id),params:{id:this.profile.id,cachedProfile:this.profile,cachedUser:this.user}})},rewriteLinks:function(){var t=this,e=this.profile.note,s=document.createElement("div");s.innerHTML=e,s.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),s.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.profile.local&&!s.includes("@")){var o=document.createElement("a");o.href=t.profile.url,s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.bio=s.outerHTML},performFollow:function(){var t=this;this.isLoading=!0,this.$emit("follow"),setTimeout((function(){t.relationship.following=!0,t.isLoading=!1}),1e3)},performUnfollow:function(){var t=this;this.isLoading=!0,this.$emit("unfollow"),setTimeout((function(){t.relationship.following=!1,t.isLoading=!1}),1e3)}}}},44078:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(20629);function i(t){return i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},i(t)}function a(t,e){var s=Object.keys(t);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(t);e&&(o=o.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),s.push.apply(s,o)}return s}function n(t,e,s){return(e=function(t){var e=function(t,e){if("object"!==i(t)||null===t)return t;var s=t[Symbol.toPrimitive];if(void 0!==s){var o=s.call(t,e||"default");if("object"!==i(o))return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===e?String:Number)(t)}(t,"string");return"symbol"===i(e)?e:String(e)}(e))in t?Object.defineProperty(t,e,{value:s,enumerable:!0,configurable:!0,writable:!0}):t[e]=s,t}const r={props:{profile:{type:Object},relationship:{type:Object,default:function(){return{following:!1,followed_by:!1}}},user:{type:Object}},computed:function(t){for(var e=1;e)?/g,(function(e){var s=e.slice(1,e.length-1),o=t.getCustomEmoji.filter((function(t){return t.shortcode==s}));return o.length?''.concat(o[0].shortcode,''):e}))}return s},formatCount:function(t){return App.util.format.count(t)},goBack:function(){this.$emit("back")},showFullBio:function(){this.$refs.fullBio.show()},toggleTab:function(t){event.currentTarget.blur(),["followers","following"].includes(t)?this.$router.push("/i/web/profile/"+this.profile.id+"/"+t):this.$emit("toggletab",t)},getJoinedDate:function(){var t=new Date(this.profile.created_at),e=new Intl.DateTimeFormat("en-US",{month:"long"}).format(t),s=t.getFullYear();return"".concat(e," ").concat(s)},follow:function(){event.currentTarget.blur(),this.$emit("follow")},unfollow:function(){event.currentTarget.blur(),this.$emit("unfollow")},setBio:function(){var t=this;if(this.profile.note.length)if(this.profile.local){var e=this.profile.hasOwnProperty("note_text")?this.profile.note_text:this.profile.note.replace(/(<([^>]+)>)/gi,"");this.renderedBio=window.pftxt.autoLink(e,{usernameUrlBase:"/i/web/profile/@",hashtagUrlBase:"/i/web/hashtag/"})}else{if("

"===this.profile.note)return void(this.renderedBio=null);var s=this.profile.note,o=document.createElement("div");o.innerHTML=s,o.querySelectorAll('a[class*="hashtag"]').forEach((function(t){var e=t.innerText;"#"==e.substr(0,1)&&(e=e.substr(1)),t.removeAttribute("target"),t.setAttribute("href","/i/web/hashtag/"+e)})),o.querySelectorAll('a:not(.hashtag)[class*="mention"], a:not(.hashtag)[class*="list-slug"]').forEach((function(e){var s=e.innerText;if("@"==s.substr(0,1)&&(s=s.substr(1)),0==t.profile.local&&!s.includes("@")){var o=document.createElement("a");o.href=t.profile.url,s=s+"@"+o.hostname}e.removeAttribute("target"),e.setAttribute("href","/i/web/username/"+s)})),this.renderedBio=o.outerHTML}},getAvatar:function(){return this.profile.id==this.user.id?window._sharedData.user.avatar:this.profile.avatar},copyTextToClipboard:function(t){App.util.clipboard(t)},goToOldProfile:function(){this.profile.local?location.href=this.profile.url+"?fs=1":location.href="/i/web/profile/_/"+this.profile.id},handleMute:function(){var t=this,e=this.relationship.muting?"unmuted":"muted",s=1==this.relationship.muting?"/i/unmute":"/i/mute";axios.post(s,{type:"user",item:this.profile.id}).then((function(s){t.$emit("updateRelationship",s.data),swal("Success","You have successfully "+e+" "+t.profile.acct,"success")})).catch((function(t){var e,s;422===t.response.status?swal({title:"Error",text:null===(e=t.response)||void 0===e||null===(s=e.data)||void 0===s?void 0:s.error,icon:"error",buttons:{review:{text:"Review muted accounts",value:"review",className:"btn-primary"},cancel:!0}}).then((function(t){t&&"review"==t&&(location.href="/settings/privacy/muted-users")})):swal("Error","Something went wrong. Please try again later.","error")}))},handleBlock:function(){var t=this,e=this.relationship.blocking?"unblock":"block",s=1==this.relationship.blocking?"/i/unblock":"/i/block";axios.post(s,{type:"user",item:this.profile.id}).then((function(s){t.$emit("updateRelationship",s.data),swal("Success","You have successfully "+e+"ed "+t.profile.acct,"success")})).catch((function(t){var e,s;422===t.response.status?swal({title:"Error",text:null===(e=t.response)||void 0===e||null===(s=e.data)||void 0===s?void 0:s.error,icon:"error",buttons:{review:{text:"Review blocked accounts",value:"review",className:"btn-primary"},cancel:!0}}).then((function(t){t&&"review"==t&&(location.href="/settings/privacy/blocked-users")})):swal("Error","Something went wrong. Please try again later.","error")}))},cancelFollowRequest:function(){window.confirm("Are you sure you want to cancel your follow request?")&&(event.currentTarget.blur(),this.$emit("unfollow"))}}}},61577:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-timeline-component"},[t.isLoaded?e("div",{staticClass:"container-fluid mt-3"},[e("div",{staticClass:"row"},[e("div",{staticClass:"col-md-3 d-md-block px-md-3 px-xl-5"},[e("profile-sidebar",{attrs:{profile:t.profile,relationship:t.relationship,user:t.curUser},on:{back:t.goBack,toggletab:t.toggleTab,updateRelationship:t.updateRelationship,follow:t.follow,unfollow:t.unfollow}})],1),t._v(" "),e("div",{staticClass:"col-md-8 px-md-5"},[e(t.getTabComponentName(),{key:t.getTabComponentName()+t.profile.id,tag:"component",attrs:{profile:t.profile,relationship:t.relationship}})],1)]),t._v(" "),e("drawer")],1):t._e()])},i=[]},21262:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this;return(0,t._self._c)("canvas",{ref:"canvas",attrs:{width:t.parseNumber(t.width),height:t.parseNumber(t.height)}})},i=[]},41262:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){this._self._c;return this._m(0)},i=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"ph-item border-0 shadow-sm",staticStyle:{"border-radius":"15px","margin-bottom":"1rem"}},[e("div",{staticClass:"ph-col-12"},[e("div",{staticClass:"ph-row align-items-center"},[e("div",{staticClass:"ph-avatar mr-3 d-flex",staticStyle:{width:"50px",height:"60px","border-radius":"15px"}}),t._v(" "),e("div",{staticClass:"ph-col-6 big"})]),t._v(" "),e("div",{staticClass:"empty"}),t._v(" "),e("div",{staticClass:"empty"}),t._v(" "),e("div",{staticClass:"ph-picture"}),t._v(" "),e("div",{staticClass:"ph-row"},[e("div",{staticClass:"ph-col-12 empty"}),t._v(" "),e("div",{staticClass:"ph-col-12 big"}),t._v(" "),e("div",{staticClass:"ph-col-12 empty"}),t._v(" "),e("div",{staticClass:"ph-col-12"})])])])}]},72474:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"timeline-status-component"},[e("div",{staticClass:"card shadow-sm",staticStyle:{"border-radius":"15px"}},[e("post-header",{attrs:{profile:t.profile,status:t.status},on:{menu:t.openMenu,follow:t.follow,unfollow:t.unfollow}}),t._v(" "),e("post-content",{attrs:{profile:t.profile,status:t.status}}),t._v(" "),t.reactionBar?e("post-reactions",{attrs:{status:t.status,profile:t.profile,admin:t.admin},on:{like:t.like,unlike:t.unlike,share:t.shareStatus,unshare:t.unshareStatus,"likes-modal":t.showLikes,"shares-modal":t.showShares,"toggle-comments":t.showComments,bookmark:t.handleBookmark,"mod-tools":t.openModTools}}):t._e(),t._v(" "),t.showCommentDrawer?e("div",{staticClass:"card-footer rounded-bottom border-0",staticStyle:{background:"rgba(0,0,0,0.02)","z-index":"3"}},[e("comment-drawer",{attrs:{status:t.status,profile:t.profile},on:{"handle-report":t.handleReport,"counter-change":t.counterChange,"show-likes":t.showCommentLikes,follow:t.follow,unfollow:t.unfollow}})],1):t._e()],1)])},i=[]},7231:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"app-drawer-component"},[e("div",{staticClass:"mobile-footer-spacer d-block d-sm-none mt-5"}),t._v(" "),e("div",{staticClass:"mobile-footer d-block d-sm-none fixed-bottom"},[e("div",{staticClass:"card card-body rounded-0 px-0 pt-2 pb-3 box-shadow",staticStyle:{"border-top":"1px solid var(--border-color)"}},[e("ul",{staticClass:"nav nav-pills nav-fill d-flex align-items-middle"},[e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web"}},[e("p",[e("i",{staticClass:"far fa-home fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Home")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/timeline/local"}},[e("p",[e("i",{staticClass:"far fa-stream fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Local")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/compose"}},[e("p",[e("i",{staticClass:"far fa-plus-circle fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("New")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/notifications"}},[e("p",[e("i",{staticClass:"far fa-bell fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Alerts")])])])],1),t._v(" "),e("li",{staticClass:"nav-item"},[e("router-link",{staticClass:"nav-link text-dark",attrs:{to:"/i/web/profile/"+t.user.id}},[e("p",[e("i",{staticClass:"far fa-user fa-lg"})]),t._v(" "),e("p",{staticClass:"nav-link-label"},[e("span",[t._v("Profile")])])])],1)])])])])},i=[]},97584:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("b-modal",{ref:"modal",attrs:{centered:"","hide-header":"","hide-footer":"",scrollable:"","body-class":"p-md-5 user-select-none"}},[0===t.tabIndex?e("div",[e("h2",{staticClass:"text-center font-weight-bold"},[t._v(t._s(t.$t("report.report")))]),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("menu.confirmReportText")))]),t._v(" "),t.status&&t.status.hasOwnProperty("account")?e("div",{staticClass:"card shadow-none rounded-lg border my-4"},[e("div",{staticClass:"card-body"},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 rounded",staticStyle:{"border-radius":"8px"},attrs:{src:t.status.account.avatar,width:"40",height:"40",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"h5 primary font-weight-bold mb-1"},[t._v("\n\t\t\t\t\t\t\t@"+t._s(t.status.account.acct)+"\n\t\t\t\t\t\t")]),t._v(" "),t.status.hasOwnProperty("pf_type")&&"text"==t.status.pf_type?e("div",[t.status.content_text.length<=140?e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t")]):e("p",{staticClass:"mb-0"},[t.showFull?e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!1}}},[t._v("Show less")])]):e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text.substr(0,140)+" ...")+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!0}}},[t._v("Show full post")])])])]):t.status.hasOwnProperty("pf_type")&&"photo"==t.status.pf_type?e("div",[e("div",{staticClass:"w-100 rounded-lg d-flex justify-content-center mt-3",staticStyle:{background:"#000","max-height":"150px"}},[e("img",{staticClass:"rounded-lg shadow",staticStyle:{width:"100%","max-height":"150px","object-fit":"contain"},attrs:{src:t.status.media_attachments[0].url}})]),t._v(" "),t.status.content_text?e("p",{staticClass:"mt-3 mb-0"},[t.showFull?e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text)+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!1}}},[t._v("Show less")])]):e("span",[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.status.content_text.substr(0,80)+" ...")+"\n\t\t\t\t\t\t\t\t\t"),e("a",{staticClass:"font-weight-bold primary ml-1",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.showFull=!0}}},[t._v("Show full post")])])]):t._e()]):t._e()])])])]):t._e(),t._v(" "),e("p",{staticClass:"text-right mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.cancel")))]),t._v(" "),e("button",{staticClass:"btn btn-primary px-3 py-2 font-weight-bold",staticStyle:{"background-color":"#3B82F6"},on:{click:function(e){t.tabIndex=1}}},[t._v(t._s(t.$t("common.proceed")))])])]):1===t.tabIndex?e("div",[e("h2",{staticClass:"text-center font-weight-bold"},[t._v(t._s(t.$t("report.report")))]),t._v(" "),e("p",{staticClass:"text-center"},[t._v("\n\t\t\t"+t._s(t.$t("report.selectReason"))+"\n\t\t")]),t._v(" "),e("div",{staticClass:"mt-4"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("spam")}}},[t._v(t._s(t.$t("menu.spam")))]),t._v(" "),0==t.status.sensitive?e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("sensitive")}}},[t._v("Adult or "+t._s(t.$t("menu.sensitive")))]):t._e(),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold text-danger",on:{click:function(e){return t.handleReason("abusive")}}},[t._v(t._s(t.$t("menu.abusive")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("underage")}}},[t._v(t._s(t.$t("menu.underageAccount")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("copyright")}}},[t._v(t._s(t.$t("menu.copyrightInfringement")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill font-weight-bold",on:{click:function(e){return t.handleReason("impersonation")}}},[t._v(t._s(t.$t("menu.impersonation")))]),t._v(" "),e("button",{staticClass:"btn btn-light btn-block rounded-pill mt-md-5",on:{click:function(e){t.tabIndex=0}}},[t._v("Go back")])])]):2===t.tabIndex?e("div",[e("div",{staticClass:"my-4 text-center"},[e("b-spinner"),t._v(" "),e("p",{staticClass:"small mb-0"},[t._v(t._s(t.$t("report.sendingReport"))+" ...")])],1)]):3===t.tabIndex?e("div",[e("div",{staticClass:"my-4"},[e("h2",{staticClass:"text-center font-weight-bold mb-3"},[t._v(t._s(t.$t("report.reported")))]),t._v(" "),e("p",{staticClass:"text-center py-2"},[e("span",{staticClass:"fa-stack fa-4x text-success"},[e("i",{staticClass:"far fa-check fa-stack-1x"}),t._v(" "),e("i",{staticClass:"fal fa-circle fa-stack-2x"})])]),t._v(" "),e("p",{staticClass:"lead text-center"},[t._v(t._s(t.$t("report.thanksMsg")))]),t._v(" "),e("hr"),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("report.contactAdminMsg"))+", "),e("a",{staticClass:"font-weight-bold primary",attrs:{href:"/site/contact"}},[t._v(t._s(t.$t("common.clickHere")))]),t._v(".")])]),t._v(" "),e("p",{staticClass:"text-center mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.close")))])])]):5===t.tabIndex?e("div",[e("div",{staticClass:"my-4"},[e("h2",{staticClass:"text-center font-weight-bold mb-3"},[t._v(t._s(t.$t("common.oops")))]),t._v(" "),e("p",{staticClass:"text-center py-2"},[e("span",{staticClass:"fa-stack fa-3x text-danger"},[e("i",{staticClass:"far fa-times fa-stack-1x"}),t._v(" "),e("i",{staticClass:"fal fa-circle fa-stack-2x"})])]),t._v(" "),e("p",{staticClass:"lead text-center"},[t._v(t._s(t.$t("common.errorMsg")))]),t._v(" "),e("hr"),t._v(" "),e("p",{staticClass:"text-center"},[t._v(t._s(t.$t("report.contactAdminMsg"))+", "),e("a",{staticClass:"font-weight-bold primary",attrs:{href:"/site/contact"}},[t._v(t._s(t.$t("common.clickHere")))]),t._v(".")])]),t._v(" "),e("p",{staticClass:"text-center mb-0 mb-md-n3"},[e("button",{staticClass:"btn btn-light btn-block rounded-pill px-3 py-2 mr-3 font-weight-bold",on:{click:t.close}},[t._v(t._s(t.$t("common.close")))])])]):t._e()])},i=[]},83692:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"post-comment-drawer"},[e("input",{ref:"fileInput",staticClass:"d-none",attrs:{type:"file",accept:"image/jpeg,image/png"},on:{change:t.handleImageUpload}}),t._v(" "),e("div",{staticClass:"post-comment-drawer-feed"},[t.feed.length&&t.feed.length>=1?e("div",{staticClass:"mb-2 sort-menu"},[e("b-dropdown",{ref:"sortMenu",attrs:{size:"sm",variant:"link","toggle-class":"text-decoration-none text-dark font-weight-bold","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[t._v("\n\t\t\t\t\t\tShow "+t._s(t.sorts[t.sortIndex])+" comments "),e("i",{staticClass:"far fa-chevron-down ml-1"})]},proxy:!0}],null,!1,1870013648)},[t._v(" "),e("b-dropdown-item",{class:{active:0===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(0)}}},[e("p",{staticClass:"title mb-0"},[t._v("All")]),t._v(" "),e("p",{staticClass:"description"},[t._v("All comments in chronological order")])]),t._v(" "),e("b-dropdown-item",{class:{active:1===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(1)}}},[e("p",{staticClass:"title mb-0"},[t._v("Newest")]),t._v(" "),e("p",{staticClass:"description"},[t._v("Newest comments appear first")])]),t._v(" "),e("b-dropdown-item",{class:{active:2===t.sortIndex},attrs:{href:"#"},on:{click:function(e){return t.toggleSort(2)}}},[e("p",{staticClass:"title mb-0"},[t._v("Popular")]),t._v(" "),e("p",{staticClass:"description"},[t._v("The most relevant comments appear first")])])],1)],1):t._e(),t._v(" "),t.feedLoading?e("div",{staticClass:"post-comment-drawer-feed-loader"},[e("b-spinner")],1):e("div",[e("transition-group",{attrs:{tag:"div","enter-active-class":"animate__animated animate__fadeIn","leave-active-class":"animate__animated animate__fadeOut",mode:"out-in"}},t._l(t.feed,(function(s,o){return e("div",{key:"cd:"+s.id+":"+o,staticClass:"media media-status align-items-top mb-3",style:{opacity:t.deletingIndex&&t.deletingIndex===o?.3:1}},[e("a",{attrs:{href:"#l"}},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.getPostAvatar(s),width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("div",{staticClass:"media-body-wrapper"},[s.media_attachments.length?e("div",[e("div",{class:[s.content&&s.content.length||s.media_attachments.length?"media-body-comment":""]},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n \t\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n \t\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("div",{staticClass:"bh-comment",on:{click:function(t){s.sensitive=!1}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash}}),t._v(" "),e("div",{staticClass:"sensitive-warning"},[e("p",{staticClass:"mb-0"},[e("i",{staticClass:"far fa-eye-slash fa-lg"})]),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._v("Tap to view")])])],1):t._e(),t._v(" "),e("read-more",{staticClass:"mb-1",attrs:{status:s}}),t._v(" "),s.sensitive?t._e():e("div",{staticClass:"bh-comment",class:[s.media_attachments.length>1?"bh-comment-borderless":""],style:{"max-width":s.media_attachments.length>1?"100% !important":"160px","max-height":s.media_attachments.length>1?"100% !important":"260px"}},["image"==s.media_attachments[0].type?e("div",[1==s.media_attachments.length?e("div",[e("div",{on:{click:function(e){return t.lightbox(s)}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash,src:t.getMediaSource(s)}})],1)]):e("div",{staticStyle:{display:"grid","grid-auto-flow":"column",gap:"1px","grid-template-rows":"[row1-start] 50% [row1-end row2-start] 50% [row2-end]","grid-template-columns":"[column1-start] 50% [column1-end column2-start] 50% [column2-end]","border-radius":"8px"}},t._l(s.media_attachments.slice(0,4),(function(o,i){return e("div",{on:{click:function(e){return t.lightbox(s,i)}}},[e("blur-hash-image",{staticClass:"img-fluid shadow",attrs:{width:30,height:30,punch:1,hash:s.media_attachments[i].blurhash,src:t.getMediaSource(s,i)}})],1)})),0)]):e("div",[e("div",{staticClass:"cursor-pointer",on:{click:function(e){return t.lightbox(s)}}},[e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{position:"relative"}},[e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{position:"absolute",width:"40px",height:"40px","background-color":"rgba(0, 0, 0, 0.5)","border-radius":"40px"}},[e("i",{staticClass:"far fa-play pl-1 text-white fa-lg"})]),t._v(" "),e("video",{staticClass:"img-fluid",staticStyle:{"max-height":"200px"},attrs:{src:s.media_attachments[0].url}})])])]),t._v(" "),s.favourites_count&&!t.hideCounts?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()])],1)]):e("div",{staticClass:"media-body-comment"},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url,id:"acpop_"+s.id,tabindex:"0"},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("b-popover",{attrs:{target:"acpop_"+s.id,triggers:"hover",placement:"bottom","custom-class":"shadow border-0 rounded-px",delay:750}},[e("profile-hover-card",{attrs:{profile:s.account},on:{follow:function(e){return t.follow(o)},unfollow:function(e){return t.unfollow(o)}}})],1)],1),t._v(" "),s.sensitive?e("span",[e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("a",{staticClass:"small font-weight-bold primary",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),s.sensitive=!1}}},[t._v("Show")])]):e("read-more",{attrs:{status:s}}),t._v(" "),s.favourites_count&&!t.hideCounts?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()],1)]),t._v(" "),e("p",{staticClass:"media-body-reactions"},[e("button",{staticClass:"btn btn-link font-weight-bold btn-sm p-0",class:[s.favourited?"primary":"text-muted"],on:{click:function(e){return t.likeComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(s.favourited?"Liked":"Like")+"\n\t\t\t\t\t\t\t\t")]),t._v(" "),"public"!=s.visibility?[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),"unlisted"===s.visibility?e("span",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip:hover.bottom",arg:"hover",modifiers:{bottom:!0}}],staticClass:"text-lighter",attrs:{title:"This post is unlisted on timelines"}},[e("i",{staticClass:"far fa-unlock fa-sm"})]):"private"===s.visibility?e("span",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip:hover.bottom",arg:"hover",modifiers:{bottom:!0}}],staticClass:"text-muted",attrs:{title:"This post is only visible to followers of this account"}},[e("i",{staticClass:"far fa-lock fa-sm"})]):t._e()]:t._e(),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.toggleCommentReply(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tReply\n\t\t\t\t\t\t\t\t")]),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),t._o(e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t\t")]),0,"cd:"+s.id+":"+o),t._v(" "),t.profile&&s.account.id===t.profile.id||t.status.account.id===t.profile.id?e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold",class:[t.deletingIndex&&t.deletingIndex===o?"text-danger":"text-muted"],attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.deleteComment(o)}}},[t._v("\n "+t._s(t.deletingIndex&&t.deletingIndex===o?"Deleting...":"Delete")+"\n\t\t\t\t\t\t\t\t\t")])]):e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.reportComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\tReport\n\t\t\t\t\t\t\t\t\t")])])],2),t._v(" "),s.reply_count?[s.replies.replies_show||t.commentReplyIndex===o?e("div",{staticClass:"media-body-show-replies"},[e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.hideCommentReplies(o)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("Hide "+t._s(t.prettyCount(s.reply_count))+" replies")])])]):e("div",{staticClass:"media-body-show-replies"},[e("a",{staticClass:"font-weight-bold primary",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showCommentReplies(o)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("Show "+t._s(t.prettyCount(s.reply_count))+" replies")])])])]:t._e(),t._v(" "),t.feed[o].replies_show?e("comment-replies",{key:"cmr-".concat(s.id,"-").concat(t.feed[o].reply_count),staticClass:"mt-3",attrs:{status:s,feed:t.feed[o].replies},on:{"counter-change":function(e){return t.replyCounterChange(o,e)}}}):t._e(),t._v(" "),1==s.replies_show&&t.commentReplyIndex==o&&t.feed[o].reply_count>3?e("div",[e("div",{staticClass:"media-body-show-replies mt-n3"},[e("a",{staticClass:"font-weight-bold text-dark",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[e("i",{staticClass:"media-body-show-replies-icon"}),t._v(" "),e("span",{staticClass:"media-body-show-replies-label"},[t._v("View full thread")])])])]):t._e(),t._v(" "),t.commentReplyIndex==o?e("comment-reply-form",{attrs:{"parent-id":s.id},on:{"new-comment":function(e){return t.pushCommentReply(o,e)},"counter-change":function(e){return t.replyCounterChange(o,e)}}}):t._e()],2)])})),0)],1)]),t._v(" "),!t.feedLoading&&t.canLoadMore?e("div",{staticClass:"post-comment-drawer-loadmore"},[e("p",[e("a",{staticClass:"font-weight-bold text-dark",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.fetchMore()}}},[t._v("Load more comments…")])])]):t._e(),t._v(" "),t.showEmptyRepliesRefresh?e("div",{staticClass:"post-comment-drawer-loadmore"},[e("p",{staticClass:"text-center mb-4"},[e("a",{staticClass:"btn btn-outline-primary font-weight-bold rounded-pill",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.forceRefresh()}}},[e("i",{staticClass:"far fa-sync mr-2"}),t._v(" Refresh\n\t\t\t\t")])])]):t._e(),t._v(" "),e("div",{staticClass:"d-flex align-items-top reply-form child-reply-form"},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.profile.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{directives:[{name:"show",rawName:"v-show",value:!t.settings.expanded,expression:"!settings.expanded"}],staticClass:"w-100"},[e("vue-tribute",{attrs:{options:t.tributeSettings}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-sm shadow-sm rounded-pill",staticStyle:{resize:"none","padding-right":"140px"},attrs:{placeholder:"Write a comment....",rows:"1",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}})])],1),t._v(" "),e("div",{directives:[{name:"show",rawName:"v-show",value:t.settings.expanded,expression:"settings.expanded"}],staticClass:"w-100"},[e("vue-tribute",{attrs:{options:t.tributeSettings}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-sm shadow-sm",staticStyle:{resize:"none","padding-right":"140px"},attrs:{placeholder:"Write a comment....",rows:"5",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}})])],1),t._v(" "),e("div",{staticClass:"reply-form-input-actions",class:{open:t.settings.expanded}},[e("button",{staticClass:"btn btn-link text-muted px-1 mr-2",on:{click:function(e){return t.replyUpload()}}},[e("i",{staticClass:"far fa-image fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-link text-muted px-1 mr-2",on:{click:function(e){return t.toggleReplyExpand()}}},[e("i",{staticClass:"far fa-text-size fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-link text-muted px-1 small font-weight-bold py-0 rounded-pill text-decoration-none",on:{click:t.toggleShowReplyOptions}},[e("i",{staticClass:"far fa-ellipsis-h"})])])]),t._v(" "),t.showReplyOptions?e("div",{staticClass:"child-reply-form-options mt-2",staticStyle:{"margin-left":"60px"}},[e("b-form-checkbox",{attrs:{switch:""},model:{value:t.settings.sensitive,callback:function(e){t.$set(t.settings,"sensitive",e)},expression:"settings.sensitive"}},[t._v("\n\t\t\t\t"+t._s(t.$t("common.sensitive"))+"\n\t\t\t")])],1):t._e(),t._v(" "),t.replyContent&&t.replyContent.length?e("div",{staticClass:"text-right mt-2"},[e("button",{staticClass:"btn btn-primary btn-sm font-weight-bold primary rounded-pill px-4",on:{click:t.storeComment}},[t._v(t._s(t.$t("common.comment")))])]):t._e(),t._v(" "),e("b-modal",{ref:"lightboxModal",attrs:{id:"lightbox","hide-header":!0,"hide-footer":!0,centered:"",size:"lg","body-class":"p-0","content-class":"bg-transparent border-0 position-relative"}},[t.lightboxStatus&&"image"==t.lightboxStatus.type?e("div",{on:{click:t.hideLightbox}},[e("img",{staticStyle:{width:"100%","max-height":"90vh","object-fit":"contain"},attrs:{src:t.lightboxStatus.url}})]):t.lightboxStatus&&"video"==t.lightboxStatus.type?e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{position:"relative"}},[e("button",{staticClass:"btn btn-dark d-flex align-items-center justify-content-center",staticStyle:{position:"fixed",top:"10px",right:"10px",width:"56px",height:"56px","border-radius":"56px"},on:{click:t.hideLightbox}},[e("i",{staticClass:"far fa-times-circle fa-2x text-warning",staticStyle:{"padding-top":"2px"}})]),t._v(" "),e("video",{staticStyle:{"max-height":"90vh","object-fit":"contain"},attrs:{src:t.lightboxStatus.url,controls:"",autoplay:""},on:{ended:t.hideLightbox}})]):t._e()])],1)},i=[]},54822:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"comment-replies-component"},[t.loading?e("div",{staticClass:"mt-n2"},[t._m(0)]):[e("transition-group",{attrs:{tag:"div","enter-active-class":"animate__animated animate__fadeIn","leave-active-class":"animate__animated animate__fadeOut",mode:"out-in"}},t._l(t.feed,(function(s,o){return e("div",{key:"cd:"+s.id+":"+o},[e("div",{staticClass:"media media-status align-items-top mb-3"},[e("a",{attrs:{href:"#l"}},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:s.account.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("div",{staticClass:"media-body-wrapper"},[s.media_attachments.length?e("div",[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("div",{staticClass:"bh-comment",on:{click:function(t){s.sensitive=!1}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash}}),t._v(" "),e("div",{staticClass:"sensitive-warning"},[e("p",{staticClass:"mb-0"},[e("i",{staticClass:"far fa-eye-slash fa-lg"})]),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._v("Click to view")])])],1):e("div",{staticClass:"bh-comment"},[e("div",{on:{click:function(e){return t.lightbox(s)}}},[e("blur-hash-image",{staticClass:"img-fluid border shadow",attrs:{width:t.blurhashWidth(s),height:t.blurhashHeight(s),punch:1,hash:s.media_attachments[0].blurhash,src:t.getMediaSource(s)}})],1),t._v(" "),s.favourites_count?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()])]):e("div",{staticClass:"media-body-comment"},[e("p",{staticClass:"media-body-comment-username"},[e("a",{attrs:{href:s.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s.account)}}},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(s.account.acct)+"\n\t\t\t\t\t\t\t\t\t")])]),t._v(" "),s.sensitive?e("span",[e("p",{staticClass:"mb-0"},[t._v("\n\t\t\t\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t\t\t\t")]),t._v(" "),e("a",{staticClass:"small font-weight-bold primary",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),s.sensitive=!1}}},[t._v("Show")])]):e("read-more",{attrs:{status:s}}),t._v(" "),s.favourites_count?e("button",{staticClass:"btn btn-link media-body-likes-count shadow-sm",on:{click:function(e){return e.preventDefault(),t.showLikesModal(o)}}},[e("i",{staticClass:"far fa-thumbs-up primary"}),t._v(" "),e("span",{staticClass:"count"},[t._v(t._s(t.prettyCount(s.favourites_count)))])]):t._e()],1)]),t._v(" "),e("p",{staticClass:"media-body-reactions"},[e("button",{staticClass:"btn btn-link font-weight-bold btn-sm p-0",class:[s.favourited?"primary":"text-muted"],on:{click:function(e){return t.likeComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(s.favourited?"Liked":"Like")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),t._o(e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToPost(s)}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t")]),0,"cd:"+s.id+":"+o),t._v(" "),t.profile&&s.account.id===t.profile.id?e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.deleteComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tDelete\n\t\t\t\t\t\t\t\t")])]):e("span",[e("span",{staticClass:"mx-1"},[t._v("·")]),t._v(" "),e("a",{staticClass:"font-weight-bold text-muted",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.reportComment(o)}}},[t._v("\n\t\t\t\t\t\t\t\t\tReport\n\t\t\t\t\t\t\t\t")])])])])])])})),0)]],2)},i=[function(){var t=this._self._c;return t("div",{staticClass:"ph-item border-0 mb-0 p-0 bg-transparent",staticStyle:{"border-radius":"15px","margin-left":"-14px"}},[t("div",{staticClass:"ph-col-12 mb-0"},[t("div",{staticClass:"ph-row align-items-center mt-0"},[t("div",{staticClass:"ph-avatar mr-3 d-flex",staticStyle:{"min-width":"40px",width:"40px!important",height:"40px!important","border-radius":"8px"}}),this._v(" "),t("div",{staticClass:"ph-col-6"})])])])}]},7059:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"my-3"},[e("div",{staticClass:"d-flex align-items-top reply-form child-reply-form"},[e("img",{staticClass:"shadow-sm media-avatar border",attrs:{src:t.profile.avatar,width:"40",height:"40",draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.jpg?v=0';"}}),t._v(" "),e("div",{staticStyle:{display:"flex","flex-grow":"1",position:"relative"}},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.replyContent,expression:"replyContent"}],staticClass:"form-control bg-light rounded-lg shadow-sm",staticStyle:{resize:"none","padding-right":"60px"},attrs:{placeholder:"Write a comment....",disabled:t.isPostingReply},domProps:{value:t.replyContent},on:{input:function(e){e.target.composing||(t.replyContent=e.target.value)}}}),t._v(" "),e("button",{staticClass:"btn btn-sm py-1 font-weight-bold ml-1 rounded-pill",class:[t.replyContent&&t.replyContent.length?"btn-primary":"btn-outline-muted"],staticStyle:{position:"absolute",right:"10px",top:"50%",transform:"translateY(-50%)"},attrs:{disabled:!t.replyContent||!t.replyContent.length},on:{click:t.storeComment}},[t._v("\n Post\n ")])])]),t._v(" "),e("p",{staticClass:"text-right small font-weight-bold text-lighter"},[t._v(t._s(t.replyContent?t.replyContent.length:0)+"/"+t._s(t.config.uploader.max_caption_length))])])},i=[]},36563:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"modal-stack"},[e("b-modal",{ref:"ctxModal",attrs:{id:"ctx-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},["archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuGoToPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.viewPost"))+"\n\t\t\t\t")]):t._e(),t._v(" "),"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuGoToProfile()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.viewProfile"))+"\n\t\t\t\t")]):t._e(),t._v(" "),"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxMenuShare()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.share"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile&&1==t.profile.is_admin&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.ctxModMenuShow()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.moderationTools"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.status.account.id!=t.profile.id?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.ctxMenuReportPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.report"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile.id==t.status.account.id&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.archivePost(t.status)}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.archive"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&t.profile.id==t.status.account.id&&"archived"==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.unarchivePost(t.status)}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.unarchive"))+"\n\t\t\t\t")]):t._e(),t._v(" "),t.config.ab.pue&&t.status&&t.profile.id==t.status.account.id&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.editPost(t.status)}}},[t._v("\n\t\t\t\t\tEdit\n\t\t\t\t")]):t._e(),t._v(" "),t.status&&(t.profile.is_admin||t.profile.id==t.status.account.id)&&"archived"!==t.status.visibility?e("div",{staticClass:"list-group-item rounded cursor-pointer text-danger font-weight-bold",on:{click:function(e){return t.deletePost(t.status)}}},[t.isDeleting?e("div",{staticClass:"spinner-border spinner-border-sm",attrs:{role:"status"}},[e("span",{staticClass:"sr-only"},[t._v("Loading...")])]):e("div",[t._v("\n\t\t\t\t\t "+t._s(t.$t("common.delete"))+"\n ")])]):t._e(),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter font-weight-bold",on:{click:function(e){return t.closeCtxMenu()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.cancel"))+"\n\t\t\t\t")])])]),t._v(" "),e("b-modal",{ref:"ctxModModal",attrs:{id:"ctx-mod-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("menu.moderationTools"))+"\n\t\t\t\t\t")]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("menu.selectOneOption"))+"\n\t\t\t\t\t")]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"unlist")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.unlistFromTimelines"))+"\n\t\t\t\t")]),t._v(" "),t.status.sensitive?e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"remcw")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.removeCW"))+"\n\t\t\t\t")]):e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"addcw")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.addCW"))+"\n\t\t\t\t")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.moderatePost(t.status,"spammer")}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("menu.markAsSpammer"))),e("br"),t._v(" "),e("span",{staticClass:"small"},[t._v(t._s(t.$t("menu.markAsSpammerText")))])]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxModMenuClose()}}},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.cancel"))+"\n\t\t\t\t")])])]),t._v(" "),e("b-modal",{ref:"ctxModOtherModal",attrs:{id:"ctx-mod-other-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"list-group text-center"},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.moderationTools")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.confirmModal()}}},[t._v("Unlist Posts")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.confirmModal()}}},[t._v("Moderation Log")]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxModOtherMenuClose()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxShareModal",attrs:{id:"ctx-share-modal",title:"Share","hide-footer":"","hide-header":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded text-center"}},[e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.shareStatus(t.status,e)}}},[t._v(t._s(t.status.reblogged?"Unshare":"Share")+" "+t._s(t.$t("menu.toFollowers")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.ctxMenuCopyLink()}}},[t._v(t._s(t.$t("common.copyLink")))]),t._v(" "),t.status&&1==t.status.local&&!t.status.in_reply_to_id?e("div",{staticClass:"list-group-item rounded cursor-pointer",on:{click:function(e){return t.ctxMenuEmbed()}}},[t._v(t._s(t.$t("menu.embed")))]):t._e(),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.closeCtxShareMenu()}}},[t._v(t._s(t.$t("common.cancel")))])]),t._v(" "),e("b-modal",{ref:"ctxEmbedModal",attrs:{id:"ctx-embed-modal","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"md","body-class":"p-2 rounded"}},[e("div",[e("div",{staticClass:"form-group"},[e("textarea",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedPayload,expression:"ctxEmbedPayload"}],staticClass:"form-control disabled text-monospace",staticStyle:{"overflow-y":"hidden",border:"1px solid #efefef","font-size":"12px","line-height":"18px",margin:"0 0 7px",resize:"none"},attrs:{rows:"8",disabled:""},domProps:{value:t.ctxEmbedPayload},on:{input:function(e){e.target.composing||(t.ctxEmbedPayload=e.target.value)}}})]),t._v(" "),e("div",{staticClass:"form-group pl-2 d-flex justify-content-center"},[e("div",{staticClass:"form-check mr-3"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedShowCaption,expression:"ctxEmbedShowCaption"}],staticClass:"form-check-input",attrs:{type:"checkbox",disabled:1==t.ctxEmbedCompactMode},domProps:{checked:Array.isArray(t.ctxEmbedShowCaption)?t._i(t.ctxEmbedShowCaption,null)>-1:t.ctxEmbedShowCaption},on:{change:function(e){var s=t.ctxEmbedShowCaption,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedShowCaption=s.concat([null])):a>-1&&(t.ctxEmbedShowCaption=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedShowCaption=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.showCaption"))+"\n\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"form-check mr-3"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedShowLikes,expression:"ctxEmbedShowLikes"}],staticClass:"form-check-input",attrs:{type:"checkbox",disabled:1==t.ctxEmbedCompactMode},domProps:{checked:Array.isArray(t.ctxEmbedShowLikes)?t._i(t.ctxEmbedShowLikes,null)>-1:t.ctxEmbedShowLikes},on:{change:function(e){var s=t.ctxEmbedShowLikes,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedShowLikes=s.concat([null])):a>-1&&(t.ctxEmbedShowLikes=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedShowLikes=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.showLikes"))+"\n\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"form-check"},[e("input",{directives:[{name:"model",rawName:"v-model",value:t.ctxEmbedCompactMode,expression:"ctxEmbedCompactMode"}],staticClass:"form-check-input",attrs:{type:"checkbox"},domProps:{checked:Array.isArray(t.ctxEmbedCompactMode)?t._i(t.ctxEmbedCompactMode,null)>-1:t.ctxEmbedCompactMode},on:{change:function(e){var s=t.ctxEmbedCompactMode,o=e.target,i=!!o.checked;if(Array.isArray(s)){var a=t._i(s,null);o.checked?a<0&&(t.ctxEmbedCompactMode=s.concat([null])):a>-1&&(t.ctxEmbedCompactMode=s.slice(0,a).concat(s.slice(a+1)))}else t.ctxEmbedCompactMode=i}}}),t._v(" "),e("label",{staticClass:"form-check-label font-weight-light"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("menu.compactMode"))+"\n\t\t\t\t\t\t")])])]),t._v(" "),e("hr"),t._v(" "),e("button",{class:t.copiedEmbed?"btn btn-primary btn-block btn-sm py-1 font-weight-bold disabed":"btn btn-primary btn-block btn-sm py-1 font-weight-bold",attrs:{disabled:t.copiedEmbed},on:{click:t.ctxCopyEmbed}},[t._v(t._s(t.copiedEmbed?"Embed Code Copied!":"Copy Embed Code"))]),t._v(" "),e("p",{staticClass:"mb-0 px-2 small text-muted"},[t._v(t._s(t.$t("menu.embedConfirmText"))+" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("site.terms")))])])])]),t._v(" "),e("b-modal",{ref:"ctxReport",attrs:{id:"ctx-report","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group text-center"},[e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("spam")}}},[t._v(t._s(t.$t("menu.spam")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("sensitive")}}},[t._v(t._s(t.$t("menu.sensitive")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("abusive")}}},[t._v(t._s(t.$t("menu.abusive")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.openCtxReportOtherMenu()}}},[t._v(t._s(t.$t("common.other")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxReportMenuGoBack()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxReportOther",attrs:{id:"ctx-report-other","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("p",{staticClass:"py-2 px-3 mb-0"}),e("div",{staticClass:"text-center font-weight-bold text-danger"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("div",{staticClass:"small text-center text-muted"},[t._v(t._s(t.$t("menu.selectOneOption")))]),t._v(" "),e("p"),t._v(" "),e("div",{staticClass:"list-group text-center"},[e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("underage")}}},[t._v(t._s(t.$t("menu.underageAccount")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("copyright")}}},[t._v(t._s(t.$t("menu.copyrightInfringement")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("impersonation")}}},[t._v(t._s(t.$t("menu.impersonation")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer font-weight-bold",on:{click:function(e){return t.sendReport("scam")}}},[t._v(t._s(t.$t("menu.scamOrFraud")))]),t._v(" "),e("div",{staticClass:"list-group-item rounded cursor-pointer text-lighter",on:{click:function(e){return t.ctxReportOtherMenuGoBack()}}},[t._v(t._s(t.$t("common.cancel")))])])]),t._v(" "),e("b-modal",{ref:"ctxConfirm",attrs:{id:"ctx-confirm","hide-header":"","hide-footer":"",centered:"",rounded:"",size:"sm","body-class":"list-group-flush p-0 rounded"}},[e("div",{staticClass:"d-flex align-items-center justify-content-center py-3"},[e("div",[t._v(t._s(this.confirmModalTitle))])]),t._v(" "),e("div",{staticClass:"d-flex border-top btn-group btn-group-block rounded-0",attrs:{role:"group"}},[e("button",{staticClass:"btn btn-outline-lighter border-left-0 border-top-0 border-bottom-0 border-right py-2",staticStyle:{color:"rgb(0,122,255) !important"},attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.confirmModalCancel()}}},[t._v(t._s(t.$t("common.cancel")))]),t._v(" "),e("button",{staticClass:"btn btn-outline-lighter border-0",staticStyle:{color:"rgb(0,122,255) !important"},attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.confirmModalConfirm()}}},[t._v("Confirm")])])])],1)},i=[]},89140:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p"},scopedSlots:t._u([{key:"modal-header",fn:function(s){var o=s.close;return[void 0===t.historyIndex?[e("div",{staticClass:"d-flex flex-grow-1 justify-content-between align-items-center"},[e("span",{staticStyle:{width:"40px"}}),t._v(" "),e("h5",{staticClass:"font-weight-bold mb-0"},[t._v("Post History")]),t._v(" "),e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(t){return o()}}},[e("i",{staticClass:"far fa-times text-dark fa-lg"})])],1)]:[e("div",{staticClass:"d-flex flex-grow-1 justify-content-between align-items-center pt-1"},[e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(e){e.preventDefault(),t.historyIndex=void 0}}},[e("i",{staticClass:"fas fa-chevron-left text-primary fa-lg"})]),t._v(" "),e("div",{staticClass:"d-flex align-items-center"},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("img",{staticClass:"rounded-circle",attrs:{src:t.allHistory[0].account.avatar,width:"16",height:"16",onerror:"this.src='/storage/avatars/default.jpg';this.onerror=null;"}}),t._v(" "),e("span",{staticClass:"font-weight-bold"},[t._v(t._s(t.allHistory[0].account.username))])]),t._v(" "),e("div",[t._v(t._s(t.historyIndex==t.allHistory.length-1?"created":"edited")+" "+t._s(t.formatTime(t.allHistory[t.historyIndex].created_at)))])])]),t._v(" "),e("b-button",{attrs:{size:"sm",variant:"link"},on:{click:function(t){return o()}}},[e("i",{staticClass:"fas fa-times text-dark fa-lg"})])],1)]]}}]),model:{value:t.isOpen,callback:function(e){t.isOpen=e},expression:"isOpen"}},[t._v(" "),t.isLoading?e("div",{staticClass:"d-flex align-items-center justify-content-center",staticStyle:{"min-height":"500px"}},[e("b-spinner")],1):[void 0===t.historyIndex?e("div",{staticClass:"list-group border-top-0"},t._l(t.allHistory,(function(s,o){return e("div",{staticClass:"list-group-item d-flex align-items-center justify-content-between",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("img",{staticClass:"rounded-circle",attrs:{src:s.account.avatar,width:"24",height:"24",onerror:"this.src='/storage/avatars/default.jpg';this.onerror=null;"}}),t._v(" "),e("span",{staticClass:"font-weight-bold"},[t._v(t._s(s.account.username))])]),t._v(" "),e("div",[t._v(t._s(o==t.allHistory.length-1?"created":"edited")+" "+t._s(t.formatTime(s.created_at)))])]),t._v(" "),e("a",{staticClass:"stretched-link text-decoration-none",attrs:{href:"#"},on:{click:function(e){e.preventDefault(),t.historyIndex=o}}},[e("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[e("i",{staticClass:"far fa-chevron-right text-primary fa-lg"})])])])})),0):e("div",{staticClass:"d-flex align-items-center flex-column border-top-0 justify-content-center"},["text"===t.postType()?void 0:"image"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("blur-hash-image",{staticClass:"img-contain border-bottom",attrs:{width:32,height:32,punch:1,hash:t.allHistory[t.historyIndex].media_attachments[0].blurhash,src:t.allHistory[t.historyIndex].media_attachments[0].url}})],1)]:"album"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("b-carousel",{staticStyle:{"text-shadow":"1px 1px 2px #333"},attrs:{controls:"",indicators:"",background:"#000000"}},t._l(t.allHistory[t.historyIndex].media_attachments,(function(t,s){return e("b-carousel-slide",{key:"pfph:"+t.id+":"+s,attrs:{"img-src":t.url}})})),1)],1)]:"video"===t.postType()?[e("div",{staticStyle:{width:"100%"}},[e("div",{staticClass:"embed-responsive embed-responsive-16by9 border-bottom"},[e("video",{staticClass:"video",attrs:{controls:"",playsinline:"",preload:"metadata",loop:""}},[e("source",{attrs:{src:t.allHistory[t.historyIndex].media_attachments[0].url,type:t.allHistory[t.historyIndex].media_attachments[0].mime}})])])])]:t._e(),t._v(" "),e("div",{staticClass:"w-100 my-4 px-4 text-break justify-content-start"},[e("p",{staticClass:"mb-0",domProps:{innerHTML:t._s(t.allHistory[t.historyIndex].content)}})])],2)]],2)],1)},i=[]},73954:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){this._self._c;return this._m(0)},i=[function(){var t=this,e=t._self._c;return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3"},[e("div",{staticClass:"ph-item border-0 p-0 m-0 align-items-center"},[e("div",{staticClass:"p-0 mb-0",staticStyle:{flex:"unset"}},[e("div",{staticClass:"ph-avatar",staticStyle:{"min-width":"40px !important",width:"40px !important",height:"40px"}})]),t._v(" "),e("div",{staticClass:"ph-col-9 mb-0"},[e("div",{staticClass:"ph-row"},[e("div",{staticClass:"ph-col-12"}),t._v(" "),e("div",{staticClass:"ph-col-12"})])])])])}]},92994:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{ref:"likesModal",attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p",title:t.$t("common.likes")}},[t.isLoading?e("div",{staticClass:"likes-loader list-group border-top-0",staticStyle:{"max-height":"500px"}},[e("like-placeholder")],1):e("div",[t.likes.length?e("div",{staticClass:"list-group",staticStyle:{"max-height":"500px"}},[t._l(t.likes,(function(s,o){return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3",class:[0===o?"border-top-0":""]},[e("div",{staticClass:"media align-items-center"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("a",{staticClass:"text-dark font-weight-bold text-decoration-none",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[t._v(t._s(t.getUsername(s)))])]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-dark font-weight-bold small text-break"},[t._v("@"+t._s(s.acct))])]),t._v(" "),e("div",[null==s.follows||s.id==t.user.id?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},on:{click:function(e){return t.goToProfile(t.profile)}}},[t._v("\n\t\t\t\t\t\t\t\tView Profile\n\t\t\t\t\t\t\t")]):s.follows?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleUnfollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):s.follows?t._e():e("button",{staticClass:"btn btn-primary rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleFollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])])])})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("like-placeholder",{staticClass:"border-top-0"})],1),t._v(" "),e("like-placeholder")],1):t._e()],2):e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{height:"140px"}},[e("p",{staticClass:"font-weight-bold mb-0"},[t._v(t._s(t.$t("post.noLikes")))])])])])],1)},i=[]},3103:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"timeline-status-component-content"},["poll"===t.status.pf_type?e("div",{staticClass:"postPresenterContainer",staticStyle:{background:"#000"}}):t.fixedHeight?e("div",{staticClass:"card-body p-0"},["photo"===t.status.pf_type?e("div",{class:{fixedHeight:t.fixedHeight}},[1==t.status.sensitive?e("div",{staticClass:"content-label-wrapper"},[e("div",{staticClass:"text-light content-label"},[t._m(0),t._v(" "),e("p",{staticClass:"h4 font-weight-bold text-center"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("common.sensitiveContent"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"text-center py-2 content-label-text"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.status.spoiler_text?t.status.spoiler_text:t.$t("common.sensitiveContentWarning"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"mb-0"},[e("button",{staticClass:"btn btn-outline-light btn-block btn-sm font-weight-bold",on:{click:function(e){return t.toggleContentWarning()}}},[t._v("See Post")])])]),t._v(" "),e("blur-hash-image",{staticClass:"blurhash-wrapper",attrs:{width:"32",height:"32",punch:1,hash:t.status.media_attachments[0].blurhash}})],1):e("div",{staticClass:"content-label-wrapper",staticStyle:{position:"relative",width:"100%",height:"400px",overflow:"hidden","z-index":"1"},on:{click:function(e){return e.preventDefault(),t.toggleLightbox.apply(null,arguments)}}},[e("img",{staticStyle:{position:"absolute",width:"105%",height:"410px","object-fit":"cover","z-index":"1",top:"0",left:"0",filter:"brightness(0.35) blur(6px)",margin:"-5px"},attrs:{src:t.status.media_attachments[0].url}}),t._v(" "),e("blur-hash-image",{key:t.key,staticClass:"blurhash-wrapper",staticStyle:{width:"100%",position:"absolute","z-index":"9",top:"0:left:0"},attrs:{width:"32",height:"32",punch:1,hash:t.status.media_attachments[0].blurhash,src:t.status.media_attachments[0].url,alt:t.status.media_attachments[0].description,title:t.status.media_attachments[0].description}}),t._v(" "),!t.status.sensitive&&t.sensitive?e("p",{staticStyle:{"margin-top":"0",padding:"10px",color:"#000","font-size":"10px","text-align":"right",position:"absolute",top:"0",right:"0","border-radius":"11px",cursor:"pointer",background:"rgba(255, 255, 255,.5)"},on:{click:function(e){t.status.sensitive=!0}}},[e("i",{staticClass:"fas fa-eye-slash fa-lg"})]):t._e()],1)]):"video"===t.status.pf_type?[1==t.status.sensitive?e("div",{staticClass:"content-label-wrapper"},[e("div",{staticClass:"text-light content-label"},[t._m(1),t._v(" "),e("p",{staticClass:"h4 font-weight-bold text-center"},[t._v("\n\t\t\t\t\t\t\tSensitive Content\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"text-center py-2 content-label-text"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.status.spoiler_text?t.status.spoiler_text:"This post may contain sensitive content.")+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"mb-0"},[e("button",{staticClass:"btn btn-outline-light btn-block btn-sm font-weight-bold",on:{click:function(e){t.status.sensitive=!1}}},[t._v("See Post")])])])]):e("video",{staticClass:"card-img-top shadow",class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px","object-fit":"contain","background-color":"#000"},attrs:{controls:"",poster:t.getPoster(t.status)}},[e("source",{attrs:{src:t.status.media_attachments[0].url,type:t.status.media_attachments[0].mime}})])]:"photo:album"===t.status.pf_type?e("div",{staticClass:"card-img-top shadow",staticStyle:{"border-radius":"15px"}},[e("photo-album-presenter",{class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px !important","object-fit":"contain","background-color":"#000",overflow:"hidden"},attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){return t.toggleContentWarning()}}})],1):"photo:video:album"===t.status.pf_type?e("div",{staticClass:"card-img-top shadow",staticStyle:{"border-radius":"15px"}},[e("mixed-album-presenter",{class:{fixedHeight:t.fixedHeight},staticStyle:{"border-radius":"15px !important","object-fit":"contain","background-color":"#000",overflow:"hidden","align-items":"center"},attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"text"===t.status.pf_type?e("div"):e("div",{staticClass:"bg-light rounded-lg d-flex align-items-center justify-content-center",staticStyle:{height:"400px"}},[e("div",[t._m(2),t._v(" "),e("p",{staticClass:"lead text-center mb-0"},[t._v("\n\t\t\t\t\t\tCannot display post\n\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"small text-center mb-0"},[t._v("\n\t\t\t\t\t\t"+t._s(t.status.pf_type)+":"+t._s(t.status.id)+"\n\t\t\t\t\t")])])])],2):e("div",{staticClass:"postPresenterContainer",staticStyle:{background:"#000"}},["photo"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("photo-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"video"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("video-presenter",{attrs:{status:t.status},on:{togglecw:function(e){t.status.sensitive=!1}}})],1):"photo:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("photo-album-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):"video:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("video-album-presenter",{attrs:{status:t.status},on:{togglecw:function(e){t.status.sensitive=!1}}})],1):"photo:video:album"===t.status.pf_type?e("div",{staticClass:"w-100"},[e("mixed-album-presenter",{attrs:{status:t.status},on:{lightbox:t.toggleLightbox,togglecw:function(e){t.status.sensitive=!1}}})],1):t._e()]),t._v(" "),t.status.content&&!t.status.sensitive?e("div",{staticClass:"card-body status-text",class:["text"===t.status.pf_type?"py-0":"pb-0"]},[e("p",[e("read-more",{attrs:{status:t.status,"cursor-limit":300}})],1)]):t._e()])},i=[function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"far fa-eye-slash fa-2x"})])},function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"far fa-eye-slash fa-2x"})])},function(){var t=this._self._c;return t("p",{staticClass:"text-center"},[t("i",{staticClass:"fas fa-exclamation-triangle fa-4x"})])}]},26208:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"card-header border-0",staticStyle:{"border-top-left-radius":"15px","border-top-right-radius":"15px"}},[e("div",{staticClass:"media align-items-center"},[e("a",{staticStyle:{"margin-right":"10px"},attrs:{href:t.status.account.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[e("img",{staticStyle:{"border-radius":"15px"},attrs:{src:t.getStatusAvatar(),width:"44",height:"44",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"font-weight-bold username"},[e("a",{staticClass:"text-dark",attrs:{href:t.status.account.url,id:"apop_"+t.status.id},on:{click:function(e){return e.preventDefault(),t.goToProfile.apply(null,arguments)}}},[t._v("\n\t\t\t\t\t"+t._s(t.status.account.acct)+"\n\t\t\t\t")]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+t.status.id,triggers:"hover",placement:"bottom","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:t.status.account},on:{follow:t.follow,unfollow:t.unfollow}})],1)],1),t._v(" "),e("p",{staticClass:"text-lighter mb-0",staticStyle:{"font-size":"13px"}},[t.status.account.is_admin?e("span",{staticClass:"d-none d-md-inline-block"},[e("span",{staticClass:"badge badge-light text-danger user-select-none",attrs:{title:"Admin account"}},[t._v("ADMIN")]),t._v(" "),e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")])]):t._e(),t._v(" "),e("a",{staticClass:"timestamp text-lighter",attrs:{href:t.status.url,title:t.status.created_at},on:{click:function(e){return e.preventDefault(),t.goToPost()}}},[t._v("\n\t\t\t\t\t"+t._s(t.timeago(t.status.created_at))+"\n\t\t\t\t")]),t._v(" "),t.config.ab.pue&&t.status.hasOwnProperty("edited_at")&&t.status.edited_at?e("span",[e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("a",{staticClass:"text-lighter",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.openEditModal.apply(null,arguments)}}},[t._v("Edited")])]):t._e(),t._v(" "),e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("span",{staticClass:"visibility text-lighter",attrs:{title:t.scopeTitle(t.status.visibility)}},[e("i",{class:t.scopeIcon(t.status.visibility)})]),t._v(" "),t.status.place&&t.status.place.hasOwnProperty("name")?e("span",{staticClass:"d-none d-md-inline-block"},[e("span",{staticClass:"mx-1 text-lighter"},[t._v("·")]),t._v(" "),e("span",{staticClass:"location text-lighter"},[e("i",{staticClass:"far fa-map-marker-alt"}),t._v(" "+t._s(t.status.place.name)+", "+t._s(t.status.place.country))])]):t._e()])]),t._v(" "),t.useDropdownMenu?e("b-dropdown",{attrs:{"no-caret":"",right:"",variant:"link","toggle-class":"text-lighter",html:""}},[e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.viewPost")))])]),t._v(" "),e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("common.copyLink")))])]),t._v(" "),t.status.local?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.embed")))])]):t._e(),t._v(" "),t.owner?t._e():e("b-dropdown-divider"),t._v(" "),t.owner?t._e():e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.$t("menu.report")))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Report content that violate our rules")])]),t._v(" "),!t.owner&&t.status.hasOwnProperty("relationship")?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold"},[t._v(t._s(t.status.relationship.muting?"Unmute":"Mute"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Hide posts from this account in your feeds")])]):t._e(),t._v(" "),!t.owner&&t.status.hasOwnProperty("relationship")?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold text-danger"},[t._v(t._s(t.status.relationship.blocking?"Unblock":"Block"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Restrict all content from this account")])]):t._e(),t._v(" "),t.owner||t.admin?e("b-dropdown-divider"):t._e(),t._v(" "),t.owner||t.admin?e("b-dropdown-item",[e("p",{staticClass:"mb-0 font-weight-bold text-danger"},[t._v("\n\t\t\t\t\t"+t._s(t.$t("common.delete"))+"\n\t\t\t\t")])]):t._e()],1):e("button",{staticClass:"btn btn-link text-lighter",on:{click:t.openMenu}},[e("i",{staticClass:"far fa-ellipsis-v fa-lg"})])],1),t._v(" "),e("edit-history-modal",{ref:"editModal",attrs:{status:t.status}})],1)},i=[]},84027:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"px-3 my-3",staticStyle:{"z-index":"3"}},[(t.status.favourites_count||t.status.reblogs_count)&&(t.status.hasOwnProperty("liked_by")&&t.status.liked_by.url||t.status.hasOwnProperty("reblogs_count")&&t.status.reblogs_count)?e("div",{staticClass:"mb-0 d-flex justify-content-between"},[!t.hideCounts&&t.status.favourites_count?e("p",{staticClass:"mb-2 reaction-liked-by"},[t._v("\n\t\t\tLiked by\n\t\t\t"),1==t.status.favourites_count&&1==t.status.favourited?e("span",{staticClass:"font-weight-bold"},[t._v("me")]):e("span",[e("router-link",{staticClass:"primary font-weight-bold",attrs:{to:"/i/web/profile/"+t.status.liked_by.id}},[t._v("@"+t._s(t.status.liked_by.username))]),t._v(" "),t.status.liked_by.others||t.status.favourites_count>1?e("span",[t._v("\n\t\t\t\t\tand "),e("a",{staticClass:"primary font-weight-bold",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showLikes()}}},[t._v(t._s(t.count(t.status.favourites_count-1))+" others")])]):t._e()],1)]):t._e(),t._v(" "),!t.hideCounts&&t.status.reblogs_count?e("p",{staticClass:"mb-2 reaction-liked-by"},[t._v("\n\t\t\tShared by\n\t\t\t"),1==t.status.reblogs_count&&1==t.status.reblogged?e("span",{staticClass:"font-weight-bold"},[t._v("me")]):e("a",{staticClass:"primary font-weight-bold",attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.showShares()}}},[t._v("\n\t\t\t\t"+t._s(t.count(t.status.reblogs_count))+" "+t._s(t.status.reblogs_count>1?"others":"other")+"\n\t\t\t")])]):t._e()]):t._e(),t._v(" "),e("div",{staticClass:"d-flex justify-content-between",staticStyle:{"font-size":"14px !important"}},[e("div",[e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill mr-2",attrs:{type:"button"},on:{click:function(e){return e.preventDefault(),t.like()}}},[t.status.favourited?e("span",{staticClass:"primary"},[e("i",{staticClass:"fas fa-heart mr-md-1 text-danger fa-lg"})]):e("span",[e("i",{staticClass:"far fa-heart mr-md-2"})]),t._v(" "),t.likesCount&&!t.hideCounts?e("span",[t._v("\n\t\t\t\t\t"+t._s(t.count(t.likesCount))+"\n\t\t\t\t\t"),e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(1==t.likesCount?t.$t("common.like"):t.$t("common.likes")))])]):e("span",[e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(t.$t("common.like")))])])]),t._v(" "),t.status.comments_disabled?t._e():e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill mr-2 px-3",attrs:{type:"button"},on:{click:function(e){return t.showComments()}}},[e("i",{staticClass:"far fa-comment mr-md-2"}),t._v(" "),t.replyCount&&!t.hideCounts?e("span",[t._v("\n\t\t\t\t\t"+t._s(t.count(t.replyCount))+"\n\t\t\t\t\t"),e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(1==t.replyCount?t.$t("common.comment"):t.$t("common.comments")))])]):e("span",[e("span",{staticClass:"d-none d-md-inline"},[t._v(t._s(t.$t("common.comment")))])])])]),t._v(" "),e("div",[e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill",attrs:{type:"button",disabled:t.isReblogging},on:{click:function(e){return t.handleReblog()}}},[t.isReblogging?e("span",[e("b-spinner",{attrs:{variant:"warning",small:""}})],1):e("span",[1==t.status.reblogged?e("i",{staticClass:"fas fa-retweet fa-lg text-warning"}):e("i",{staticClass:"far fa-retweet"}),t._v(" "),t.status.reblogs_count&&!t.hideCounts?e("span",{staticClass:"ml-md-2"},[t._v("\n\t\t\t\t\t\t"+t._s(t.count(t.status.reblogs_count))+"\n\t\t\t\t\t")]):t._e()])]),t._v(" "),t.status.in_reply_to_id||t.status.reblog_of_id?t._e():e("button",{staticClass:"btn btn-light font-weight-bold rounded-pill ml-3",attrs:{type:"button",disabled:t.isBookmarking},on:{click:function(e){return t.handleBookmark()}}},[t.isBookmarking?e("span",[e("b-spinner",{attrs:{variant:"warning",small:""}})],1):e("span",[t.status.hasOwnProperty("bookmarked_at")||t.status.hasOwnProperty("bookmarked")&&1==t.status.bookmarked?e("i",{staticClass:"fas fa-bookmark fa-lg text-warning"}):e("i",{staticClass:"far fa-bookmark"})])]),t._v(" "),t.admin?e("button",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip.hover",modifiers:{hover:!0}}],staticClass:"ml-3 btn btn-light font-weight-bold rounded-pill",attrs:{type:"button",title:"Moderation Tools"},on:{click:function(e){return t.openModTools()}}},[e("i",{staticClass:"far fa-user-crown"})]):t._e()])])])},i=[]},93853:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"read-more-component",staticStyle:{"word-break":"break-word"}},[e("div",{domProps:{innerHTML:t._s(t.content)}})])},i=[]},10454:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",[e("b-modal",{ref:"sharesModal",attrs:{centered:"",size:"md",scrollable:!0,"hide-footer":"","header-class":"py-2","body-class":"p-0","title-class":"w-100 text-center pl-4 font-weight-bold","title-tag":"p",title:"Shared By"}},[t.isLoading?e("div",{staticClass:"likes-loader list-group border-top-0",staticStyle:{"max-height":"500px"}},[e("like-placeholder")],1):e("div",[t.likes.length?e("div",{staticClass:"list-group",staticStyle:{"max-height":"500px"}},[t._l(t.likes,(function(s,o){return e("div",{staticClass:"list-group-item border-left-0 border-right-0 px-3",class:[0===o?"border-top-0":""]},[e("div",{staticClass:"media align-items-center"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("a",{staticClass:"text-dark font-weight-bold text-decoration-none",attrs:{href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[t._v(t._s(t.getUsername(s)))])]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-dark font-weight-bold small text-break"},[t._v("@"+t._s(s.acct))])]),t._v(" "),e("div",[s.id==t.user.id?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},on:{click:function(e){return t.goToProfile(t.profile)}}},[t._v("\n\t\t\t\t\t\t\t\tView Profile\n\t\t\t\t\t\t\t")]):s.follows?e("button",{staticClass:"btn btn-outline-muted rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleUnfollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):s.follows?t._e():e("button",{staticClass:"btn btn-primary rounded-pill btn-sm font-weight-bold",staticStyle:{width:"110px"},attrs:{disabled:t.isUpdatingFollowState},on:{click:function(e){return t.handleFollow(o)}}},[t.isUpdatingFollowState&&t.followStateIndex===o?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])])])})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("like-placeholder",{staticClass:"border-top-0"})],1),t._v(" "),e("like-placeholder")],1):t._e()],2):e("div",{staticClass:"d-flex justify-content-center align-items-center",staticStyle:{height:"140px"}},[e("p",{staticClass:"font-weight-bold mb-0"},[t._v("Nobody has shared this yet!")])])])])],1)},i=[]},69810:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-feed-component"},[e("div",{staticClass:"profile-feed-component-nav d-flex justify-content-center justify-content-md-between align-items-center mb-4"},[e("div",{staticClass:"d-none d-md-block border-bottom flex-grow-1 profile-nav-btns"},[e("div",{staticClass:"btn-group"},[e("button",{staticClass:"btn btn-link",class:[1===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(1)}}},[t._v("\n\t\t\t\t\t\tPosts\n\t\t\t\t\t")]),t._v(" "),e("button",{staticClass:"btn btn-link",class:["comments"===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab("comments")}}},[t._v("\n Comments\n ")]),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:["archives"===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab("archives")}}},[t._v("\n\t\t\t\t\t\tArchives\n\t\t\t\t\t")]):t._e(),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:["bookmarks"===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab("bookmarks")}}},[t._v("\n\t\t\t\t\t\tBookmarks\n\t\t\t\t\t")]):t._e(),t._v(" "),t.canViewCollections?e("button",{staticClass:"btn btn-link",class:[2===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(2)}}},[t._v("\n\t\t\t\t\t\tCollections\n\t\t\t\t\t")]):t._e(),t._v(" "),t.isOwner?e("button",{staticClass:"btn btn-link",class:[3===t.tabIndex?"active":""],on:{click:function(e){return t.toggleTab(3)}}},[t._v("\n\t\t\t\t\t\tLikes\n\t\t\t\t\t")]):t._e()])]),t._v(" "),1===t.tabIndex?e("div",{staticClass:"btn-group layout-sort-toggle"},[e("button",{staticClass:"btn btn-sm",class:[0===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(0,!0)}}},[e("i",{staticClass:"far fa-th fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-sm",class:[1===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(1,!0)}}},[e("i",{staticClass:"fas fa-th-large fa-lg"})]),t._v(" "),e("button",{staticClass:"btn btn-sm",class:[2===t.layoutIndex?"btn-dark":"btn-light"],on:{click:function(e){return t.toggleLayout(2,!0)}}},[e("i",{staticClass:"far fa-bars fa-lg"})])]):t._e()]),t._v(" "),0==t.tabIndex?e("div",{staticClass:"d-flex justify-content-center mt-5"},[e("b-spinner")],1):1==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[0===t.layoutIndex?e("div",{staticClass:"row"},[t._l(t.feed,(function(s,o){return e("div",{key:"tlob:"+o+s.id,staticClass:"col-4 p-1"},[s.hasOwnProperty("pf_type")&&"video"==s.pf_type?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[s.sensitive?e("div",{staticClass:"square-content"},[t._m(0,!0),t._v(" "),e("blur-hash-canvas",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1):e("div",{staticClass:"square-content"},[e("blur-hash-image",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].preview_url}})],1),t._v(" "),e("div",{staticClass:"info-overlay-text"},[e("div",{staticClass:"text-white m-auto"},[e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-heart fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.favourites_count)))])]),t._v(" "),e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-comment fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reply_count)))])]),t._v(" "),e("p",{staticClass:"mb-0 info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-sync fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reblogs_count)))])])])])]),t._v(" "),t._m(1,!0),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t")])]):e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[s.sensitive?e("div",{staticClass:"square-content"},[t._m(2,!0),t._v(" "),e("blur-hash-canvas",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1):e("div",{staticClass:"square-content"},[e("blur-hash-image",{attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].url}})],1),t._v(" "),e("div",{staticClass:"info-overlay-text"},[e("div",{staticClass:"text-white m-auto"},[e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-heart fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.favourites_count)))])]),t._v(" "),e("p",{staticClass:"info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-comment fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reply_count)))])]),t._v(" "),e("p",{staticClass:"mb-0 info-overlay-text-field font-weight-bold"},[e("span",{staticClass:"far fa-sync fa-lg p-2 d-flex-inline"}),t._v(" "),e("span",{staticClass:"d-flex-inline"},[t._v(t._s(t.formatCount(s.reblogs_count)))])])])])]),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t")])])])})),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"col-4 ph-wrapper"},[e("div",{staticClass:"ph-item"},[e("div",{staticClass:"ph-picture big"})])])]):t._e()],2):1===t.layoutIndex?e("div",{staticClass:"row"},[e("masonry",{attrs:{cols:{default:3,800:2},gutter:{default:"5px"}}},[t._l(t.feed,(function(s,o){return e("div",{key:"tlog:"+o+s.id,staticClass:"p-1"},[s.hasOwnProperty("pf_type")&&"video"==s.pf_type?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[e("div",{staticClass:"square-content"},[e("blur-hash-image",{staticClass:"rounded",attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash,src:s.media_attachments[0].preview_url}})],1)]),t._v(" "),e("span",{staticClass:"badge badge-light video-overlay-badge"},[e("i",{staticClass:"far fa-video fa-2x"})]),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t")])]):s.sensitive?e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("div",{staticClass:"square"},[e("div",{staticClass:"square-content"},[e("div",{staticClass:"info-overlay-text-label rounded"},[e("h5",{staticClass:"text-white m-auto font-weight-bold"},[e("span",[e("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])]),t._v(" "),e("blur-hash-canvas",{staticClass:"rounded",attrs:{width:"32",height:"32",hash:s.media_attachments[0].blurhash}})],1)])]):e("a",{staticClass:"card info-overlay card-md-border-0",attrs:{href:t.statusUrl(s)}},[e("img",{staticClass:"img-fluid w-100 rounded-lg",attrs:{src:t.previewUrl(s),onerror:"this.onerror=null;this.src='/storage/no-preview.png?v=0'"}}),t._v(" "),e("span",{staticClass:"badge badge-light timestamp-overlay-badge"},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.timeago(s.created_at))+"\n\t\t\t\t\t\t\t")])])])})),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"p-1 ph-wrapper"},[e("div",{staticClass:"ph-item"},[e("div",{staticClass:"ph-picture big"})])])]):t._e()],2)],1):2===t.layoutIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.feed,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,status:s},on:{like:function(e){return t.likeStatus(o)},unlike:function(e){return t.unlikeStatus(o)},share:function(e){return t.shareStatus(o)},unshare:function(e){return t.unshareStatus(o)},menu:function(e){return t.openContextMenu(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},"shares-modal":function(e){return t.openSharesModal(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),t.canLoadMore?e("intersect",{on:{enter:t.enterIntersect}},[e("div",{staticClass:"col-12 col-md-10"},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)]):t._e()],1):t._e(),t._v(" "),t.feedLoaded&&!t.feed.length?e("div",[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v(t._s(t.$t("profile.emptyPosts")))])])])]):t._e()]):"private"===t.tabIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-secure-feed.svg"}}),t._v(" "),e("p",{staticClass:"h3 text-dark font-weight-bold mt-3 py-3"},[t._v("This profile is private")]),t._v(" "),e("div",{staticClass:"lead text-muted px-3"},[t._v("\n\t\t\t\t\tOnly approved followers can see "),e("span",{staticClass:"font-weight-bold text-dark text-break"},[t._v("@"+t._s(t.profile.acct))]),t._v("'s "),e("br"),t._v("\n\t\t\t\t\tposts. To request access, click "),e("span",{staticClass:"font-weight-bold"},[t._v("Follow")]),t._v(".\n\t\t\t\t")])])]):2==t.tabIndex?e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8"},[e("div",{staticClass:"list-group"},t._l(t.collections,(function(s,o){return e("a",{staticClass:"list-group-item text-decoration-none text-dark",attrs:{href:s.url}},[e("div",{staticClass:"media"},[e("img",{staticClass:"rounded-lg border mr-3",staticStyle:{"object-fit":"cover"},attrs:{src:s.thumb,width:"65",height:"65",onerror:"this.onerror=null;this.src='/storage/no-preview.png';"}}),t._v(" "),e("div",{staticClass:"media-body text-left"},[e("p",{staticClass:"lead mb-0"},[t._v(t._s(s.title?s.title:"Untitled"))]),t._v(" "),e("p",{staticClass:"small text-muted mb-1"},[t._v(t._s(s.description||"No description available"))]),t._v(" "),e("p",{staticClass:"small text-lighter mb-0 font-weight-bold"},[e("span",[t._v(t._s(s.post_count)+" posts")]),t._v(" "),e("span",[t._v("·")]),t._v(" "),"public"===s.visibility?e("span",{staticClass:"text-dark"},[t._v("Public")]):"private"===s.visibility?e("span",{staticClass:"text-dark"},[e("i",{staticClass:"far fa-lock fa-sm"}),t._v(" Followers Only")]):"draft"===s.visibility?e("span",{staticClass:"primary"},[e("i",{staticClass:"far fa-lock fa-sm"}),t._v(" Draft")]):t._e(),t._v(" "),e("span",[t._v("·")]),t._v(" "),s.published_at?e("span",[t._v("Created "+t._s(t.timeago(s.published_at))+" ago")]):e("span",{staticClass:"text-warning"},[t._v("UNPUBLISHED")])])])])])})),0)]),t._v(" "),t.collectionsLoaded&&!t.collections.length?e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v(t._s(t.$t("profile.emptyCollections")))])]):t._e(),t._v(" "),t.canLoadMoreCollections?e("div",{staticClass:"col-12 col-md-8"},[e("intersect",{on:{enter:t.enterCollectionsIntersect}},[e("div",{staticClass:"d-flex justify-content-center mt-5"},[e("b-spinner",{attrs:{small:""}})],1)])],1):t._e()]):3==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.favourites,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,status:s},on:{like:function(e){return t.likeStatus(o)},unlike:function(e){return t.unlikeStatus(o)},share:function(e){return t.shareStatus(o)},unshare:function(e){return t.unshareStatus(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),t.canLoadMoreFavourites?e("div",{staticClass:"col-12 col-md-10"},[e("intersect",{on:{enter:t.enterFavouritesIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)],1):t._e()]),t._v(" "),t.favourites&&t.favourites.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(3)])]):"bookmarks"==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.bookmarks,(function(s,o){return e("status-card",{key:"prs"+s.id+":"+o,attrs:{profile:t.user,"new-reactions":!0,status:s},on:{menu:function(e){return t.openContextMenu(o)},"counter-change":function(e){return t.counterChange(o,e)},"likes-modal":function(e){return t.openLikesModal(o)},bookmark:function(e){return t.handleBookmark(o)},"comment-likes-modal":t.openCommentLikesModal,"handle-report":t.handleReport}})})),1),t._v(" "),e("div",{staticClass:"col-12 col-md-10"},[t.canLoadMoreBookmarks?e("intersect",{on:{enter:t.enterBookmarksIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1):t._e()],1)]),t._v(" "),t.bookmarks&&t.bookmarks.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(4)])]):"archives"==t.tabIndex?e("div",{staticClass:"px-0 mx-0"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-10"},t._l(t.archives,(function(s,o){return e("status-card",{key:"prarc"+s.id+":"+o,attrs:{profile:t.user,"new-reactions":!0,"reaction-bar":!1,status:s},on:{menu:function(e){return t.openContextMenu(o,"archive")}}})})),1),t._v(" "),t.canLoadMoreArchives?e("div",{staticClass:"col-12 col-md-10"},[e("intersect",{on:{enter:t.enterArchivesIntersect}},[e("status-placeholder",{staticStyle:{"margin-bottom":"10rem"}})],1)],1):t._e()]),t._v(" "),t.archives&&t.archives.length?t._e():e("div",{staticClass:"row justify-content-center"},[t._m(5)])]):t._e(),t._v(" "),t.showMenu?e("context-menu",{ref:"contextMenu",attrs:{status:t.contextMenuPost,profile:t.user},on:{moderate:t.commitModeration,delete:t.deletePost,archived:t.handleArchived,unarchived:t.handleUnarchived,"report-modal":t.handleReport}}):t._e(),t._v(" "),t.showLikesModal?e("likes-modal",{ref:"likesModal",attrs:{status:t.likesModalPost,profile:t.user}}):t._e(),t._v(" "),t.showSharesModal?e("shares-modal",{ref:"sharesModal",attrs:{status:t.sharesModalPost,profile:t.profile}}):t._e(),t._v(" "),e("report-modal",{key:t.reportedStatusId,ref:"reportModal",attrs:{status:t.reportedStatus}})],1)},i=[function(){var t=this._self._c;return t("div",{staticClass:"info-overlay-text-label"},[t("h5",{staticClass:"text-white m-auto font-weight-bold"},[t("span",[t("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])])},function(){var t=this._self._c;return t("span",{staticClass:"badge badge-light video-overlay-badge"},[t("i",{staticClass:"far fa-video fa-2x"})])},function(){var t=this._self._c;return t("div",{staticClass:"info-overlay-text-label"},[t("h5",{staticClass:"text-white m-auto font-weight-bold"},[t("span",[t("span",{staticClass:"far fa-eye-slash fa-lg p-2 d-flex-inline"})])])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have liked")])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have bookmarked")])])},function(){var t=this,e=t._self._c;return e("div",{staticClass:"col-12 col-md-8 text-center"},[e("img",{staticClass:"img-fluid",staticStyle:{opacity:"0.6"},attrs:{src:"/img/illustrations/dk-nature-man-monochrome.svg"}}),t._v(" "),e("p",{staticClass:"lead text-muted font-weight-bold"},[t._v("We can't seem to find any posts you have bookmarked")])])}]},14226:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-followers-component"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-8"},[t.isLoaded?e("div",{staticClass:"d-flex justify-content-between align-items-center mb-4"},[e("div",[e("button",{staticClass:"btn btn-outline-dark rounded-pill font-weight-bold",on:{click:function(e){return t.goBack()}}},[t._v("\n Back\n ")])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center justify-content-center flex-column w-100 overflow-hidden"},[e("p",{staticClass:"small text-muted mb-0 text-uppercase font-weight-light cursor-pointer text-truncate text-center",staticStyle:{width:"70%"},on:{click:function(e){return t.goBack()}}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),e("p",{staticClass:"lead font-weight-bold mt-n1 mb-0"},[t._v(t._s(t.$t("profile.followers")))])]),t._v(" "),t._m(0)]):t._e(),t._v(" "),t.isLoaded?e("div",{staticClass:"list-group scroll-card"},[t._l(t.feed,(function(s,o){return e("div",{staticClass:"list-group-item"},[e("a",{staticClass:"text-decoration-none",attrs:{id:"apop_"+s.id,href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",draggable:"false",loading:"lazy",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("span",{staticClass:"text-dark font-weight-bold text-decoration-none",domProps:{innerHTML:t._s(t.getUsername(s))}})]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-muted small text-break"},[t._v("@"+t._s(s.acct))])])])]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+s.id,triggers:"hover",placement:"left",delay:"1000","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:s}})],1)],1)})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("placeholder")],1)],1):t._e(),t._v(" "),t.canLoadMore||t.feed.length?t._e():e("div",[e("div",{staticClass:"list-group-item text-center"},[t.isWarmingCache?e("div",{staticClass:"px-4"},[e("p",{staticClass:"mb-0 lead font-weight-bold"},[t._v("Loading Followers...")]),t._v(" "),e("div",{staticClass:"py-3"},[e("b-spinner",{staticStyle:{width:"1.5rem",height:"1.5rem"},attrs:{variant:"primary"}})],1),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Please wait while we collect followers of this account, this shouldn't take long!")])]):e("p",{staticClass:"mb-0 font-weight-bold"},[t._v("No followers yet!")])])])],2):e("div",{staticClass:"list-group"},[e("placeholder")],1)])])])},i=[function(){var t=this._self._c;return t("div",[t("a",{staticClass:"btn btn-dark rounded-pill font-weight-bold spacer-btn",attrs:{href:"#"}},[this._v("Back")])])}]},25754:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-following-component"},[e("div",{staticClass:"row justify-content-center"},[e("div",{staticClass:"col-12 col-md-7"},[t.isLoaded?e("div",{staticClass:"d-flex justify-content-between align-items-center mb-4"},[e("div",[e("button",{staticClass:"btn btn-outline-dark rounded-pill font-weight-bold",on:{click:function(e){return t.goBack()}}},[t._v("\n Back\n ")])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center justify-content-center flex-column w-100 overflow-hidden"},[e("p",{staticClass:"small text-muted mb-0 text-uppercase font-weight-light cursor-pointer text-truncate text-center",staticStyle:{width:"70%"},on:{click:function(e){return t.goBack()}}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),e("p",{staticClass:"lead font-weight-bold mt-n1 mb-0"},[t._v(t._s(t.$t("profile.following")))])]),t._v(" "),t._m(0)]):t._e(),t._v(" "),t.isLoaded?e("div",{staticClass:"list-group scroll-card"},[t._l(t.feed,(function(s,o){return e("div",{staticClass:"list-group-item"},[e("a",{staticClass:"text-decoration-none",attrs:{id:"apop_"+s.id,href:s.url},on:{click:function(e){return e.preventDefault(),t.goToProfile(s)}}},[e("div",{staticClass:"media"},[e("img",{staticClass:"mr-3 shadow-sm",staticStyle:{"border-radius":"8px"},attrs:{src:s.avatar,width:"40",height:"40",draggable:"false",loading:"lazy",onerror:"this.src='/storage/avatars/default.jpg?v=0';this.onerror=null;"}}),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"mb-0 text-truncate"},[e("span",{staticClass:"text-dark font-weight-bold text-decoration-none",domProps:{innerHTML:t._s(t.getUsername(s))}})]),t._v(" "),e("p",{staticClass:"mb-0 mt-n1 text-muted small text-break"},[t._v("@"+t._s(s.acct))])])])]),t._v(" "),e("b-popover",{attrs:{target:"apop_"+s.id,triggers:"hover",placement:"left",delay:"1000","custom-class":"shadow border-0 rounded-px"}},[e("profile-hover-card",{attrs:{profile:s}})],1)],1)})),t._v(" "),t.canLoadMore?e("div",[e("intersect",{on:{enter:t.enterIntersect}},[e("placeholder")],1)],1):t._e(),t._v(" "),t.canLoadMore||t.feed.length?t._e():e("div",[e("div",{staticClass:"list-group-item text-center"},[t.isWarmingCache?e("div",{staticClass:"px-4"},[e("p",{staticClass:"mb-0 lead font-weight-bold"},[t._v("Loading Following...")]),t._v(" "),e("div",{staticClass:"py-3"},[e("b-spinner",{staticStyle:{width:"1.5rem",height:"1.5rem"},attrs:{variant:"primary"}})],1),t._v(" "),e("p",{staticClass:"small text-muted mb-0"},[t._v("Please wait while we collect following accounts, this shouldn't take long!")])]):e("p",{staticClass:"mb-0 font-weight-bold"},[t._v("No following anyone yet!")])])])],2):e("div",{staticClass:"list-group"},[e("placeholder")],1)])])])},i=[function(){var t=this._self._c;return t("div",[t("a",{staticClass:"btn btn-dark rounded-pill font-weight-bold spacer-btn",attrs:{href:"#"}},[this._v("Back")])])}]},48087:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-hover-card"},[e("div",{staticClass:"profile-hover-card-inner"},[e("div",{staticClass:"d-flex justify-content-between align-items-start",staticStyle:{"max-width":"240px"}},[e("a",{attrs:{href:t.profile.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[e("img",{staticClass:"avatar",attrs:{src:t.profile.avatar,width:"50",height:"50",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),t.user.id==t.profile.id?e("div",[e("a",{staticClass:"btn btn-outline-primary px-3 py-1 font-weight-bold rounded-pill",attrs:{href:"/settings/home"}},[t._v("Edit Profile")])]):t._e(),t._v(" "),t.user.id!=t.profile.id&&t.relationship?e("div",[t.relationship.following?e("button",{staticClass:"btn btn-outline-primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:t.isLoading},on:{click:function(e){return t.performUnfollow()}}},[t.isLoading?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Following")])]):e("div",[t.relationship.requested?e("button",{staticClass:"btn btn-primary primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:""}},[t._v("Follow Requested")]):e("button",{staticClass:"btn btn-primary primary px-3 py-1 font-weight-bold rounded-pill",attrs:{disabled:t.isLoading},on:{click:function(e){return t.performFollow()}}},[t.isLoading?e("span",[e("b-spinner",{attrs:{small:""}})],1):e("span",[t._v("Follow")])])])]):t._e()]),t._v(" "),e("p",{staticClass:"display-name"},[e("a",{attrs:{href:t.profile.url},domProps:{innerHTML:t._s(t.getDisplayName())},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[t._v("\n\t\t\t\t"+t._s(t.profile.display_name?t.profile.display_name:t.profile.username)+"\n\t\t\t")])]),t._v(" "),e("div",{staticClass:"username"},[e("a",{staticClass:"username-link",attrs:{href:t.profile.url},on:{click:function(e){return e.preventDefault(),t.goToProfile()}}},[t._v("\n\t\t\t\t@"+t._s(t.getUsername())+"\n\t\t\t")]),t._v(" "),t.user.id!=t.profile.id&&t.relationship&&t.relationship.followed_by?e("p",{staticClass:"username-follows-you"},[e("span",[t._v("Follows You")])]):t._e()]),t._v(" "),t.profile.hasOwnProperty("pronouns")&&t.profile.pronouns&&t.profile.pronouns.length?e("p",{staticClass:"pronouns"},[t._v("\n\t\t\t"+t._s(t.profile.pronouns.join(", "))+"\n\t\t")]):t._e(),t._v(" "),e("p",{staticClass:"bio",domProps:{innerHTML:t._s(t.bio)}}),t._v(" "),e("p",{staticClass:"stats"},[e("span",{staticClass:"stats-following"},[e("span",{staticClass:"following-count"},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" Following\n\t\t\t")]),t._v(" "),e("span",{staticClass:"stats-followers"},[e("span",{staticClass:"followers-count"},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" Followers\n\t\t\t")])])])])},i=[]},84478:(t,e,s)=>{s.r(e),s.d(e,{render:()=>o,staticRenderFns:()=>i});var o=function(){var t=this,e=t._self._c;return e("div",{staticClass:"profile-sidebar-component"},[e("div",[e("div",{staticClass:"d-block d-md-none"},[e("div",{staticClass:"media user-card user-select-none"},[e("div",{staticStyle:{position:"relative"}},[e("img",{staticClass:"avatar shadow cursor-pointer",attrs:{src:t.profile.avatar,draggable:"false",onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}})]),t._v(" "),e("div",{staticClass:"media-body"},[e("p",{staticClass:"display-name",domProps:{innerHTML:t._s(t.getDisplayName())}}),t._v(" "),e("p",{staticClass:"username",class:{remote:!t.profile.local}},[t.profile.local?e("span",[t._v("@"+t._s(t.profile.acct))]):e("a",{staticClass:"primary",attrs:{href:t.profile.url}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),t.profile.locked?e("span",[e("i",{staticClass:"fal fa-lock ml-1 fa-sm text-lighter"})]):t._e()]),t._v(" "),e("div",{staticClass:"stats"},[e("div",{staticClass:"stats-posts",on:{click:function(e){return t.toggleTab("index")}}},[e("div",{staticClass:"posts-count"},[t._v(t._s(t.formatCount(t.profile.statuses_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.posts"))+"\n\t\t\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"stats-followers",on:{click:function(e){return t.toggleTab("followers")}}},[e("div",{staticClass:"followers-count"},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.followers"))+"\n\t\t\t\t\t\t\t\t")])]),t._v(" "),e("div",{staticClass:"stats-following",on:{click:function(e){return t.toggleTab("following")}}},[e("div",{staticClass:"following-count"},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" "),e("div",{staticClass:"stats-label"},[t._v("\n\t\t\t\t\t\t\t\t\t"+t._s(t.$t("profile.following"))+"\n\t\t\t\t\t\t\t\t")])])])])])]),t._v(" "),e("div",{staticClass:"d-none d-md-flex justify-content-between align-items-center"},[e("button",{staticClass:"btn btn-link",on:{click:function(e){return t.goBack()}}},[e("i",{staticClass:"far fa-chevron-left fa-lg text-lighter"})]),t._v(" "),e("div",[e("img",{staticClass:"avatar img-fluid shadow border",attrs:{src:t.getAvatar(),onerror:"this.onerror=null;this.src='/storage/avatars/default.png?v=0';"}}),t._v(" "),t.profile.is_admin?e("p",{staticClass:"text-right",staticStyle:{"margin-top":"-30px"}},[e("span",{staticClass:"admin-label"},[t._v("Admin")])]):t._e()]),t._v(" "),e("b-dropdown",{attrs:{variant:"link",right:"","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[e("i",{staticClass:"far fa-lg fa-cog text-lighter"})]},proxy:!0}])},[t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.goToOldProfile()}}},[t._v("View in old UI")]):t._e(),t._v(" "),e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.copyTextToClipboard(t.profile.url)}}},[t._v("Copy Link")]),t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"/users/"+t.profile.username+".atom","link-class":"font-weight-bold"}},[t._v("Atom feed")]):t._e(),t._v(" "),t.profile.id==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{href:"/settings/home","link-class":"font-weight-bold"}},[e("i",{staticClass:"far fa-cog mr-1"}),t._v(" Settings\n\t\t\t\t\t\t")])],1):e("div",[t.profile.local?t._e():e("b-dropdown-item",{attrs:{href:t.profile.url,"link-class":"font-weight-bold"}},[t._v("View Remote Profile")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/web/direct/thread/"+t.profile.id,"link-class":"font-weight-bold"}},[t._v("Direct Message")])],1),t._v(" "),t.profile.id!==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleMute()}}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.relationship.muting?"Unmute":"Mute")+"\n\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleBlock()}}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.relationship.blocking?"Unblock":"Block")+"\n\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/report?type=user&id="+t.profile.id,"link-class":"text-danger font-weight-bold"}},[t._v("Report")])],1):t._e()],1)],1),t._v(" "),e("div",{staticClass:"d-none d-md-block text-center"},[e("p",{staticClass:"display-name",domProps:{innerHTML:t._s(t.getDisplayName())}}),t._v(" "),e("p",{staticClass:"username",class:{remote:!t.profile.local}},[t.profile.local?e("span",[t._v("@"+t._s(t.profile.acct))]):e("a",{staticClass:"primary",attrs:{href:t.profile.url}},[t._v("@"+t._s(t.profile.acct))]),t._v(" "),t.profile.locked?e("span",[e("i",{staticClass:"fal fa-lock ml-1 fa-sm text-lighter"})]):t._e()]),t._v(" "),t.user.id!=t.profile.id&&(t.relationship.followed_by||t.relationship.muting||t.relationship.blocking)?e("p",{staticClass:"mt-n3 text-center"},[t.relationship.followed_by?e("span",{staticClass:"badge badge-primary p-1"},[t._v("Follows you")]):t._e(),t._v(" "),t.relationship.muting?e("span",{staticClass:"badge badge-dark p-1 ml-1"},[t._v("Muted")]):t._e(),t._v(" "),t.relationship.blocking?e("span",{staticClass:"badge badge-danger p-1 ml-1"},[t._v("Blocked")]):t._e()]):t._e()]),t._v(" "),e("div",{staticClass:"d-none d-md-block stats py-2"},[e("div",{staticClass:"d-flex justify-content-between"},[e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("index")}}},[e("strong",{attrs:{title:t.profile.statuses_count}},[t._v(t._s(t.formatCount(t.profile.statuses_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.posts")))])]),t._v(" "),e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("followers")}}},[e("strong",{attrs:{title:t.profile.followers_count}},[t._v(t._s(t.formatCount(t.profile.followers_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.followers")))])]),t._v(" "),e("button",{staticClass:"btn btn-link stat-item",on:{click:function(e){return t.toggleTab("following")}}},[e("strong",{attrs:{title:t.profile.following_count}},[t._v(t._s(t.formatCount(t.profile.following_count)))]),t._v(" "),e("span",[t._v(t._s(t.$t("profile.following")))])])])]),t._v(" "),e("div",{staticClass:"d-flex align-items-center mb-3 mb-md-0"},[t.user.id===t.profile.id?e("div",{staticStyle:{"flex-grow":"1"}},[e("a",{staticClass:"btn btn-light font-weight-bold btn-block follow-btn",attrs:{href:"/settings/home"}},[t._v(t._s(t.$t("profile.editProfile")))]),t._v(" "),t.profile.locked?t._e():e("a",{staticClass:"btn btn-light font-weight-bold btn-block follow-btn mt-md-n4",attrs:{href:"/i/web/my-portfolio"}},[t._v("\n My Portfolio\n "),e("span",{staticClass:"badge badge-success ml-1"},[t._v("NEW")])])]):t.profile.locked?e("div",{staticStyle:{"flex-grow":"1"}},[t.relationship.following||t.relationship.requested?t.relationship.requested?e("div",[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:""}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("profile.followRequested"))+"\n\t\t\t\t\t\t")]),t._v(" "),e("p",{staticClass:"small font-weight-bold text-center mt-n4"},[e("a",{attrs:{href:"#"},on:{click:function(e){return e.preventDefault(),t.cancelFollowRequest()}}},[t._v("Cancel Follow Request")])])]):t.relationship.following?e("button",{staticClass:"btn btn-primary font-weight-bold btn-block unfollow-btn",on:{click:t.unfollow}},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.unfollow"))+"\n\t\t\t\t\t")]):t._e():[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:t.relationship.blocking},on:{click:t.follow}},[t._v("\n\t\t\t\t\t\t\tRequest Follow\n\t\t\t\t\t\t")]),t._v(" "),t.relationship.blocking?e("p",{staticClass:"mt-n4 text-lighter",staticStyle:{"font-size":"11px"}},[t._v("You need to unblock this account before you can request to follow.")]):t._e()]],2):e("div",{staticStyle:{"flex-grow":"1"}},[t.relationship.following?e("button",{staticClass:"btn btn-primary font-weight-bold btn-block unfollow-btn",on:{click:t.unfollow}},[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.unfollow"))+"\n\t\t\t\t\t")]):[e("button",{staticClass:"btn btn-primary font-weight-bold btn-block follow-btn",attrs:{disabled:t.relationship.blocking},on:{click:t.follow}},[t._v("\n\t\t\t\t\t\t\t"+t._s(t.$t("profile.follow"))+"\n\t\t\t\t\t\t")]),t._v(" "),t.relationship.blocking?e("p",{staticClass:"mt-n4 text-lighter",staticStyle:{"font-size":"11px"}},[t._v("You need to unblock this account before you can follow.")]):t._e()]],2),t._v(" "),e("div",{staticClass:"d-block d-md-none ml-3"},[e("b-dropdown",{attrs:{variant:"link",right:"","no-caret":""},scopedSlots:t._u([{key:"button-content",fn:function(){return[e("i",{staticClass:"far fa-lg fa-cog text-lighter"})]},proxy:!0}])},[t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.goToOldProfile()}}},[t._v("View in old UI")]):t._e(),t._v(" "),e("b-dropdown-item",{attrs:{href:"#","link-class":"font-weight-bold"},on:{click:function(e){return e.preventDefault(),t.copyTextToClipboard(t.profile.url)}}},[t._v("Copy Link")]),t._v(" "),t.profile.local?e("b-dropdown-item",{attrs:{href:"/users/"+t.profile.username+".atom","link-class":"font-weight-bold"}},[t._v("Atom feed")]):t._e(),t._v(" "),t.profile.id==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{href:"/settings/home","link-class":"font-weight-bold"}},[e("i",{staticClass:"far fa-cog mr-1"}),t._v(" Settings\n\t\t\t\t\t\t\t")])],1):e("div",[t.profile.local?t._e():e("b-dropdown-item",{attrs:{href:t.profile.url,"link-class":"font-weight-bold"}},[t._v("View Remote Profile")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/web/direct/thread/"+t.profile.id,"link-class":"font-weight-bold"}},[t._v("Direct Message")])],1),t._v(" "),t.profile.id!==t.user.id?e("div",[e("b-dropdown-divider"),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleMute()}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.relationship.muting?"Unmute":"Mute")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{"link-class":"font-weight-bold"},on:{click:function(e){return t.handleBlock()}}},[t._v("\n\t\t\t\t\t\t\t\t"+t._s(t.relationship.blocking?"Unblock":"Block")+"\n\t\t\t\t\t\t\t")]),t._v(" "),e("b-dropdown-item",{attrs:{href:"/i/report?type=user&id="+t.profile.id,"link-class":"text-danger font-weight-bold"}},[t._v("Report")])],1):t._e()],1)],1)]),t._v(" "),t.profile.note&&t.renderedBio&&t.renderedBio.length?e("div",{staticClass:"bio-wrapper card shadow-none"},[e("div",{staticClass:"card-body"},[e("div",{staticClass:"bio-body"},[e("div",{domProps:{innerHTML:t._s(t.renderedBio)}})])])]):t._e(),t._v(" "),e("div",{staticClass:"d-none d-md-block card card-body shadow-none py-2"},[t.profile.website?e("p",{staticClass:"small"},[t._m(0),t._v(" "),e("span",[e("a",{staticClass:"font-weight-bold",attrs:{href:t.profile.website}},[t._v(t._s(t.profile.website))])])]):t._e(),t._v(" "),e("p",{staticClass:"mb-0 small"},[t._m(1),t._v(" "),t.profile.local?e("span",[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.joined"))+" "+t._s(t.getJoinedDate())+"\n\t\t\t\t\t")]):e("span",[t._v("\n\t\t\t\t\t\t"+t._s(t.$t("profile.joined"))+" "+t._s(t.getJoinedDate())+"\n\n\t\t\t\t\t\t"),e("span",{staticClass:"float-right primary"},[e("i",{directives:[{name:"b-tooltip",rawName:"v-b-tooltip.hover",modifiers:{hover:!0}}],staticClass:"far fa-info-circle",attrs:{title:"This user is from a remote server and may have created their account before this date"}})])])])]),t._v(" "),e("div",{staticClass:"d-none d-md-flex sidebar-sitelinks"},[e("a",{attrs:{href:"/site/about"}},[t._v(t._s(t.$t("navmenu.about")))]),t._v(" "),e("router-link",{attrs:{to:"/i/web/help"}},[t._v(t._s(t.$t("navmenu.help")))]),t._v(" "),e("router-link",{attrs:{to:"/i/web/language"}},[t._v(t._s(t.$t("navmenu.language")))]),t._v(" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("navmenu.privacy")))]),t._v(" "),e("a",{attrs:{href:"/site/terms"}},[t._v(t._s(t.$t("navmenu.terms")))])],1),t._v(" "),t._m(2)]),t._v(" "),e("b-modal",{ref:"fullBio",attrs:{centered:"","hide-footer":"","ok-only":"","ok-title":"Close","ok-variant":"light",scrollable:!0,"body-class":"p-md-5",title:"Bio"}},[e("div",{domProps:{innerHTML:t._s(t.profile.note)}})])],1)},i=[function(){var t=this._self._c;return t("span",{staticClass:"text-lighter mr-2"},[t("i",{staticClass:"far fa-link"})])},function(){var t=this._self._c;return t("span",{staticClass:"text-lighter mr-2"},[t("i",{staticClass:"far fa-clock"})])},function(){var t=this._self._c;return t("div",{staticClass:"d-none d-md-block sidebar-attribution"},[t("a",{staticClass:"font-weight-bold",attrs:{href:"https://pixelfed.org"}},[this._v("Powered by Pixelfed")])])}]},88105:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-timeline-component[data-v-3167af64]{margin-bottom:10rem}",""]);const a=i},48605:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.timeline-status-component{margin-bottom:1rem}.timeline-status-component .btn:focus{box-shadow:none!important}.timeline-status-component .avatar{border-radius:15px}.timeline-status-component .VueCarousel-wrapper .VueCarousel-slide img{-o-object-fit:contain;object-fit:contain}.timeline-status-component .status-text{z-index:3}.timeline-status-component .reaction-liked-by,.timeline-status-component .status-text.py-0{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.timeline-status-component .reaction-liked-by{font-size:11px;font-weight:600}.timeline-status-component .location,.timeline-status-component .timestamp,.timeline-status-component .visibility{color:#94a3b8;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.timeline-status-component .invisible{display:none}.timeline-status-component .blurhash-wrapper img{border-radius:0;-o-object-fit:cover;object-fit:cover}.timeline-status-component .blurhash-wrapper canvas{border-radius:0}.timeline-status-component .content-label-wrapper{background-color:#000;border-radius:0;height:400px;overflow:hidden;position:relative;width:100%}.timeline-status-component .content-label-wrapper canvas,.timeline-status-component .content-label-wrapper img{cursor:pointer;max-height:400px}.timeline-status-component .content-label{align-items:center;background:rgba(0,0,0,.2);border-radius:0;display:flex;flex-direction:column;height:100%;justify-content:center;margin:0;position:absolute;width:100%;z-index:2}.timeline-status-component .rounded-bottom{border-bottom-left-radius:15px!important;border-bottom-right-radius:15px!important}.timeline-status-component .card-footer .media{position:relative}.timeline-status-component .card-footer .media .comment-border-link{background-clip:padding-box;background-color:#e5e7eb;border-left:4px solid transparent;border-right:4px solid transparent;display:block;height:calc(100% - 100px);left:11px;position:absolute;top:40px;width:10px}.timeline-status-component .card-footer .media .comment-border-link:hover{background-color:#bfdbfe}.timeline-status-component .card-footer .media .child-reply-form{position:relative}.timeline-status-component .card-footer .media .comment-border-arrow{background-clip:padding-box;background-color:#e5e7eb;border-bottom:2px solid transparent;border-left:4px solid transparent;border-right:4px solid transparent;display:block;height:29px;left:-33px;position:absolute;top:-6px;width:10px}.timeline-status-component .card-footer .media .comment-border-arrow:after{background-color:#e5e7eb;content:"";display:block;height:2px;left:2px;position:absolute;top:25px;width:15px}.timeline-status-component .card-footer .media-status{margin-bottom:1.3rem}.timeline-status-component .card-footer .media-avatar{border-radius:8px;margin-right:12px}.timeline-status-component .card-footer .media-body-comment{background-color:var(--comment-bg);border-radius:.9rem;padding:.4rem .7rem;width:-moz-fit-content;width:fit-content}.timeline-status-component .card-footer .media-body-comment-username{color:var(--body-color);font-size:14px;font-weight:700!important;margin-bottom:.25rem!important}.timeline-status-component .card-footer .media-body-comment-username a{color:var(--body-color);text-decoration:none}.timeline-status-component .card-footer .media-body-comment-content{font-size:16px;margin-bottom:0}.timeline-status-component .card-footer .media-body-reactions{color:#b8c2cc!important;font-size:12px;margin-bottom:0!important;margin-top:.4rem!important}.timeline-status-component .fixedHeight{max-height:400px}.timeline-status-component .fixedHeight .VueCarousel-wrapper{border-radius:15px}.timeline-status-component .fixedHeight .VueCarousel-slide img{max-height:400px}.timeline-status-component .fixedHeight .blurhash-wrapper img{background-color:transparent;height:400px;max-height:400px;-o-object-fit:contain;object-fit:contain}.timeline-status-component .fixedHeight .blurhash-wrapper canvas{max-height:400px}.timeline-status-component .fixedHeight .content-label-wrapper{border-radius:15px}.timeline-status-component .fixedHeight .content-label{border-radius:0;height:400px}',""]);const a=i},95433:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".app-drawer-component .nav-link{padding:.5rem .1rem}.app-drawer-component .nav-link.active{background-color:transparent}.app-drawer-component .nav-link.router-link-exact-active{background-color:transparent;color:var(--primary)!important}.app-drawer-component .nav-link p{margin-bottom:0}.app-drawer-component .nav-link-label{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:10px;font-weight:700;margin-top:0;opacity:.6;text-transform:uppercase}",""]);const a=i},41866:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.post-comment-drawer-feed{margin-bottom:1rem}.post-comment-drawer-feed .sort-menu .dropdown{border-radius:18px}.post-comment-drawer-feed .sort-menu .dropdown-menu{padding:0}.post-comment-drawer-feed .sort-menu .dropdown-item:active{background-color:inherit}.post-comment-drawer-feed .sort-menu .title{color:var(--dropdown-item-color)}.post-comment-drawer-feed .sort-menu .description{color:var(--dropdown-item-color);font-size:12px;margin-bottom:0}.post-comment-drawer-feed .sort-menu .active .title{color:var(--dropdown-item-active-color);font-weight:600}.post-comment-drawer-feed .sort-menu .active .description{color:var(--dropdown-item-active-color)}.post-comment-drawer-feed-loader{align-items:center;display:flex;height:200px;justify-content:center}.post-comment-drawer .media-body-comment{min-width:240px;position:relative}.post-comment-drawer .media-body-wrapper .media-body-comment{padding:.7rem}.post-comment-drawer .media-body-wrapper .media-body-likes-count{background-color:var(--body-bg);border-radius:15px;bottom:-10px;font-size:12px;font-weight:600;padding:1px 8px;position:absolute;right:-5px;text-decoration:none;-webkit-user-select:none!important;-moz-user-select:none!important;user-select:none!important;z-index:3}.post-comment-drawer .media-body-wrapper .media-body-likes-count i{margin-right:3px}.post-comment-drawer .media-body-wrapper .media-body-likes-count .count{color:#334155}.post-comment-drawer .media-body-show-replies{font-size:13px;margin-bottom:5px;margin-top:-5px}.post-comment-drawer .media-body-show-replies a{align-items:center;display:flex;text-decoration:none}.post-comment-drawer .media-body-show-replies-icon{display:inline-block;font-family:Font Awesome\\ 5 Free;font-style:normal;font-variant:normal;font-weight:400;line-height:1;margin-right:.25rem;padding-left:.5rem;text-decoration:none;text-rendering:auto;transform:rotate(90deg)}.post-comment-drawer .media-body-show-replies-icon:before{content:"\\f148"}.post-comment-drawer .media-body-show-replies-label{padding-top:9px}.post-comment-drawer-loadmore{font-size:.7875rem}.post-comment-drawer .reply-form-input{flex:1;position:relative}.post-comment-drawer .reply-form-input-actions{position:absolute;right:10px;top:50%;transform:translateY(-50%)}.post-comment-drawer .reply-form-input-actions.open{top:85%;transform:translateY(-85%)}.post-comment-drawer .child-reply-form{position:relative}.post-comment-drawer .bh-comment{height:auto;max-height:260px!important;max-width:160px!important;position:relative;width:100%}.post-comment-drawer .bh-comment .img-fluid,.post-comment-drawer .bh-comment canvas{border-radius:8px}.post-comment-drawer .bh-comment img,.post-comment-drawer .bh-comment span{height:auto;max-height:260px!important;max-width:160px!important;width:100%}.post-comment-drawer .bh-comment img{border-radius:8px;-o-object-fit:cover;object-fit:cover}.post-comment-drawer .bh-comment.bh-comment-borderless{border-radius:8px;margin-bottom:5px;overflow:hidden}.post-comment-drawer .bh-comment.bh-comment-borderless .img-fluid,.post-comment-drawer .bh-comment.bh-comment-borderless canvas,.post-comment-drawer .bh-comment.bh-comment-borderless img{border-radius:0}.post-comment-drawer .bh-comment .sensitive-warning{background:rgba(0,0,0,.4);border-radius:8px;color:#fff;cursor:pointer;left:50%;padding:5px;position:absolute;text-align:center;top:50%;transform:translate(-50%,-50%);-webkit-user-select:none;-moz-user-select:none;user-select:none}.post-comment-drawer .v-tribute{width:100%}',""]);const a=i},80569:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".img-contain img{-o-object-fit:contain;object-fit:contain}",""]);const a=i},76209:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-feed-component{margin-top:0}.profile-feed-component .ph-wrapper{padding:.25rem}.profile-feed-component .ph-wrapper .ph-item{background-color:transparent;border:none;margin:0;padding:0}.profile-feed-component .ph-wrapper .ph-item .ph-picture{border-radius:5px;height:auto;padding-bottom:100%}.profile-feed-component .ph-wrapper .ph-item>*{margin-bottom:0}.profile-feed-component .info-overlay-text-field{font-size:13.5px;margin-bottom:2px}@media (min-width:768px){.profile-feed-component .info-overlay-text-field{font-size:20px;margin-bottom:15px}}.profile-feed-component .video-overlay-badge{color:var(--dark);opacity:.6;padding-bottom:1px;position:absolute;right:10px;top:10px}.profile-feed-component .timestamp-overlay-badge{bottom:10px;opacity:.6;position:absolute;right:10px}.profile-feed-component .profile-nav-btns{margin-right:1rem}.profile-feed-component .profile-nav-btns .btn-group{min-height:45px}.profile-feed-component .profile-nav-btns .btn-link{border-radius:0;color:var(--text-lighter);font-size:14px;font-weight:700;margin-right:1rem}.profile-feed-component .profile-nav-btns .btn-link:hover{color:var(--text-muted);text-decoration:none}.profile-feed-component .profile-nav-btns .btn-link.active{border-bottom:1px solid var(--dark);color:var(--dark);transition:border-bottom .25s ease-in-out}.profile-feed-component .layout-sort-toggle .btn{border:none}.profile-feed-component .layout-sort-toggle .btn.btn-light{opacity:.4}",""]);const a=i},16035:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-followers-component .list-group-item{border:none}.profile-followers-component .list-group-item:not(:last-child){border-bottom:1px solid rgba(0,0,0,.125)}.profile-followers-component .scroll-card{-ms-overflow-style:none;max-height:calc(100vh - 250px);overflow-y:auto;scroll-behavior:smooth;scrollbar-width:none}.profile-followers-component .scroll-card::-webkit-scrollbar{display:none}.profile-followers-component .spacer-btn{opacity:0;pointer-events:none}",""]);const a=i},16725:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-following-component .list-group-item{border:none}.profile-following-component .list-group-item:not(:last-child){border-bottom:1px solid rgba(0,0,0,.125)}.profile-following-component .scroll-card{-ms-overflow-style:none;max-height:calc(100vh - 250px);overflow-y:auto;scroll-behavior:smooth;scrollbar-width:none}.profile-following-component .scroll-card::-webkit-scrollbar{display:none}.profile-following-component .spacer-btn{opacity:0;pointer-events:none}",""]);const a=i},93986:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,".profile-hover-card{border:none;display:block;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;overflow:hidden;padding:.5rem;width:300px}.profile-hover-card .avatar{border-radius:15px;box-shadow:0 .5rem 1rem rgba(0,0,0,.15)!important;margin-bottom:.5rem}.profile-hover-card .display-name{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:16px;font-weight:800;font-weight:800!important;line-height:.8;margin-bottom:2px;margin-top:5px;max-width:240px;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-hover-card .display-name a{color:var(--body-color);text-decoration:none}.profile-hover-card .username{font-size:12px;font-weight:700;margin-bottom:.6rem;margin-top:0;max-width:240px;overflow:hidden;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-hover-card .username-link{color:var(--text-lighter);margin-right:4px;text-decoration:none}.profile-hover-card .username-follows-you{margin:4px 0}.profile-hover-card .username-follows-you span{background-color:var(--comment-bg);border-radius:6px;color:var(--dropdown-item-color);font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:12px;font-weight:500;line-height:16px;padding:2px 4px}.profile-hover-card .pronouns{color:#9ca3af;font-size:11px;font-weight:600;margin-bottom:.6rem;margin-top:-.8rem}.profile-hover-card .bio{color:var(--body-color);font-size:12px;line-height:1.2;margin-bottom:0;max-height:60px;max-width:240px;overflow:hidden;text-overflow:ellipsis;word-break:break-word}.profile-hover-card .bio .invisible{display:none}.profile-hover-card .stats{color:var(--body-color);font-size:14px;margin-bottom:0;margin-top:.5rem;-webkit-user-select:none;-moz-user-select:none;user-select:none}.profile-hover-card .stats .stats-following{margin-right:.8rem}.profile-hover-card .stats .followers-count,.profile-hover-card .stats .following-count{font-weight:800}.profile-hover-card .btn.rounded-pill{min-width:80px}",""]);const a=i},97429:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(1519),i=s.n(o)()((function(t){return t[1]}));i.push([t.id,'.profile-sidebar-component{margin-bottom:1rem}.profile-sidebar-component .avatar{border-radius:15px;margin-bottom:1rem;width:140px}.profile-sidebar-component .display-name{font-size:20px;font-size:15px;font-weight:800!important;line-height:.8;margin-bottom:0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}.profile-sidebar-component .display-name,.profile-sidebar-component .username{font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif}.profile-sidebar-component .username{color:var(--primary);font-size:14px;font-weight:600}.profile-sidebar-component .username.remote{font-size:11px}.profile-sidebar-component .stats{margin-bottom:1rem}.profile-sidebar-component .stats .stat-item{flex:0 0 33%;margin:0;max-width:33%;padding:0;text-align:center;text-decoration:none}.profile-sidebar-component .stats .stat-item strong{color:var(--body-color);display:block;font-size:18px;line-height:.9}.profile-sidebar-component .stats .stat-item span{color:#b8c2cc;display:block;font-size:12px}@media (min-width:768px){.profile-sidebar-component .follow-btn{margin-bottom:2rem}}.profile-sidebar-component .follow-btn.btn-primary{background-color:var(--primary)}.profile-sidebar-component .follow-btn.btn-light{border-color:var(--input-border)}.profile-sidebar-component .unfollow-btn{background-color:rgba(59,130,246,.7)}@media (min-width:768px){.profile-sidebar-component .unfollow-btn{margin-bottom:2rem}}.profile-sidebar-component .bio-wrapper{margin-bottom:1rem}.profile-sidebar-component .bio-wrapper .bio-body{display:block;font-size:12px!important;position:relative;white-space:pre-wrap}.profile-sidebar-component .bio-wrapper .bio-body .username{font-size:12px!important}.profile-sidebar-component .bio-wrapper .bio-body.long{max-height:80px;overflow:hidden}.profile-sidebar-component .bio-wrapper .bio-body.long:after{background:linear-gradient(180deg,transparent,hsla(0,0%,100%,.9) 60%,#fff 90%);content:"";height:100%;left:0;position:absolute;top:0;width:100%;z-index:2}.profile-sidebar-component .bio-wrapper .bio-body p{margin-bottom:0!important}.profile-sidebar-component .bio-wrapper .bio-more{position:relative;z-index:3}.profile-sidebar-component .admin-label{background:#fee2e2;border:1px solid #fca5a5;border-radius:8px;color:#b91c1c;display:inline-block;font-size:12px;font-weight:600;padding:1px 5px;text-transform:capitalize}.profile-sidebar-component .sidebar-sitelinks{justify-content:space-between;margin-top:1rem;padding:0}.profile-sidebar-component .sidebar-sitelinks a{color:#b8c2cc;font-size:12px}.profile-sidebar-component .sidebar-sitelinks .active{color:#212529;font-weight:600}.profile-sidebar-component .sidebar-attribution{color:#b8c2cc!important;font-size:12px;margin-top:.5rem}.profile-sidebar-component .sidebar-attribution a{color:#b8c2cc!important}.profile-sidebar-component .user-card{align-items:center}.profile-sidebar-component .user-card .avatar{border:1px solid #e5e7eb;border-radius:15px;height:80px;margin-right:.8rem;width:80px}@media (min-width:390px){.profile-sidebar-component .user-card .avatar{height:100px;width:100px}}.profile-sidebar-component .user-card .avatar-update-btn{background:hsla(0,0%,100%,.9);border:1px solid #dee2e6!important;border-radius:50rem;bottom:0;height:20px;padding:0;position:absolute;right:12px;width:20px}.profile-sidebar-component .user-card .avatar-update-btn-icon{-webkit-font-smoothing:antialiased;display:inline-block;font-family:Font Awesome\\ 5 Free;font-style:normal;font-variant:normal;font-weight:400;line-height:1;text-rendering:auto}.profile-sidebar-component .user-card .avatar-update-btn-icon:before{content:"\\f013"}.profile-sidebar-component .user-card .username{font-size:13px;font-weight:600;line-height:12px;margin:4px 0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}@media (min-width:390px){.profile-sidebar-component .user-card .username{font-size:16px;margin:8px 0}}.profile-sidebar-component .user-card .display-name{color:var(--body-color);font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif;font-size:20px;font-weight:800!important;line-height:.8;margin-bottom:0;-webkit-user-select:all;-moz-user-select:all;user-select:all;word-break:break-word}@media (min-width:390px){.profile-sidebar-component .user-card .display-name{font-size:24px}}.profile-sidebar-component .user-card .stats{display:flex;flex-direction:row;font-size:16px;justify-content:space-between;margin-bottom:0;margin-top:0;-webkit-user-select:none;-moz-user-select:none;user-select:none}.profile-sidebar-component .user-card .stats .followers-count,.profile-sidebar-component .user-card .stats .following-count,.profile-sidebar-component .user-card .stats .posts-count{display:flex;font-weight:800}.profile-sidebar-component .user-card .stats .stats-label{color:#94a3b8;font-size:11px;margin-top:-5px}',""]);const a=i},50137:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(88105),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},1582:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(48605),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},2869:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(95433),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},94207:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(41866),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},67478:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(80569),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},79241:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(76209),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},85969:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(16035),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},70205:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(16725),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},51010:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(93986),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},15473:(t,e,s)=>{s.r(e),s.d(e,{default:()=>r});var o=s(93379),i=s.n(o),a=s(97429),n={insert:"head",singleton:!1};i()(a.default,n);const r=a.default.locals||{}},70595:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(91729),i=s(73498),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(40751);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,"3167af64",null).exports},90086:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(18713),i=s(51373),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},45836:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(8056);const i=(0,s(51900).default)({},o.render,o.staticRenderFns,!1,null,null,null).exports},99247:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(80568),i=s(60378),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(84074);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},42755:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(87661),i=s(1374),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(72682);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},21917:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(18709),i=s(72214),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},26535:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(35613),i=s(3646),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(40636);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},38287:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(78559),i=s(43354),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},4268:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(88760),i=s(23983),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},8829:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(37444),i=s(59111),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},248:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(54512),i=s(56897),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(6020);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},48510:(t,e,s)=>{s.r(e),s.d(e,{default:()=>i});var o=s(28476);const i=(0,s(51900).default)({},o.render,o.staticRenderFns,!1,null,null,null).exports},5327:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(50282),i=s(6921),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},37846:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(56253),i=s(40102),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},74338:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(76961),i=s(33012),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},81104:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(73433),i=s(94747),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},80979:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(23666),i=s(19651),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},31823:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(70946),i=s(84021),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},89965:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(59008),i=s(55013),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(45419);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},32303:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(68906),i=s(31631),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(8696);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},24721:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(10739),i=s(51979),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(13355);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},22583:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(30535),i=s(84185),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(62544);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},85748:(t,e,s)=>{s.r(e),s.d(e,{default:()=>n});var o=s(67417),i=s(79760),a={};for(const t in i)"default"!==t&&(a[t]=()=>i[t]);s.d(e,a);s(20351);const n=(0,s(51900).default)(i.default,o.render,o.staticRenderFns,!1,null,null,null).exports},73498:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(71618),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},51373:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(52291),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},60378:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(95217),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},1374:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(89250),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},72214:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(8671),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},3646:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(19444),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},43354:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(13143),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},23983:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(3861),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},59111:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(60658),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},56897:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(42562),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},6921:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(36935),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},40102:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(92606),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},33012:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(51815),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},94747:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(17810),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},19651:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(2011),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},84021:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(24489),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},55013:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(84797),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},31631:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(55998),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},51979:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(92829),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},84185:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(54965),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},79760:(t,e,s)=>{s.r(e),s.d(e,{default:()=>a});var o=s(44078),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i);const a=o.default},91729:(t,e,s)=>{s.r(e);var o=s(61577),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},18713:(t,e,s)=>{s.r(e);var o=s(21262),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},8056:(t,e,s)=>{s.r(e);var o=s(41262),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},80568:(t,e,s)=>{s.r(e);var o=s(72474),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},87661:(t,e,s)=>{s.r(e);var o=s(7231),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},18709:(t,e,s)=>{s.r(e);var o=s(97584),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},35613:(t,e,s)=>{s.r(e);var o=s(83692),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},78559:(t,e,s)=>{s.r(e);var o=s(54822),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},88760:(t,e,s)=>{s.r(e);var o=s(7059),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},37444:(t,e,s)=>{s.r(e);var o=s(36563),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},54512:(t,e,s)=>{s.r(e);var o=s(89140),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},28476:(t,e,s)=>{s.r(e);var o=s(73954),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},50282:(t,e,s)=>{s.r(e);var o=s(92994),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},56253:(t,e,s)=>{s.r(e);var o=s(3103),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},76961:(t,e,s)=>{s.r(e);var o=s(26208),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},73433:(t,e,s)=>{s.r(e);var o=s(84027),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},23666:(t,e,s)=>{s.r(e);var o=s(93853),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},70946:(t,e,s)=>{s.r(e);var o=s(10454),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},59008:(t,e,s)=>{s.r(e);var o=s(69810),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},68906:(t,e,s)=>{s.r(e);var o=s(14226),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},10739:(t,e,s)=>{s.r(e);var o=s(25754),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},30535:(t,e,s)=>{s.r(e);var o=s(48087),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},67417:(t,e,s)=>{s.r(e);var o=s(84478),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},40751:(t,e,s)=>{s.r(e);var o=s(50137),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},84074:(t,e,s)=>{s.r(e);var o=s(1582),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},72682:(t,e,s)=>{s.r(e);var o=s(2869),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},40636:(t,e,s)=>{s.r(e);var o=s(94207),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},6020:(t,e,s)=>{s.r(e);var o=s(67478),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},45419:(t,e,s)=>{s.r(e);var o=s(79241),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},8696:(t,e,s)=>{s.r(e);var o=s(85969),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},13355:(t,e,s)=>{s.r(e);var o=s(70205),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},62544:(t,e,s)=>{s.r(e);var o=s(51010),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)},20351:(t,e,s)=>{s.r(e);var o=s(15473),i={};for(const t in o)"default"!==t&&(i[t]=()=>o[t]);s.d(e,i)}}]); \ No newline at end of file diff --git a/public/js/remote_auth.js b/public/js/remote_auth.js new file mode 100644 index 000000000..e4353ac70 --- /dev/null +++ b/public/js/remote_auth.js @@ -0,0 +1 @@ +(self.webpackChunkpixelfed=self.webpackChunkpixelfed||[]).push([[8385],{33527:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(36357),a=o(35953);const n={components:{InstagramLoader:e.InstagramLoader,RegisterForm:a.default},data:function(){return{loaded:!1,error:!1,prefill:!1,existing:void 0,maxUsesReached:void 0,tab:"loading",canReload:!1}},mounted:function(){this.validateSession(),window.onbeforeunload=function(){if(!this.canReload)return alert("You are trying to leave."),!1}},methods:{validateSession:function(){var t=this;axios.post("/auth/raw/mastodon/s/check").then((function(r){if(r||r.hasOwnProperty("action"))switch(r.data.action){case"onboard":return void t.getPrefillData();case"redirect_existing_user":return t.existing=!0,t.canReload=!0,window.onbeforeunload=void 0,void t.redirectExistingUser();case"max_uses_reached":return t.maxUsesReached=!0,t.canReload=!0,void(window.onbeforeunload=void 0);default:return void(t.error=!0)}else swal("Oops!","An unexpected error occured, please try again later","error")})).catch((function(r){t.canReload=!0,window.onbeforeunload=void 0,t.error=!0}))},setCanReload:function(){this.canReload=!0,window.onbeforeunload=void 0},redirectExistingUser:function(){var t=this;this.canReload=!0,setTimeout((function(){t.handleLogin()}),1500)},handleLogin:function(){var t=this;axios.post("/auth/raw/mastodon/s/login").then((function(t){setTimeout((function(){window.location.reload()}),1500)})).catch((function(r){t.canReload=!1,t.error=!0}))},getPrefillData:function(){var t=this;axios.post("/auth/raw/mastodon/s/prefill").then((function(r){t.prefill=r.data})).catch((function(r){t.error=!0})).finally((function(){setTimeout((function(){t.loaded=!0}),1e3)}))}}}},62779:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>e});const e={data:function(){return{loaded:!1,domains:[]}},mounted:function(){this.fetchDomains()},methods:{fetchDomains:function(){var t=this;axios.post("/auth/raw/mastodon/domains").then((function(r){t.domains=r.data})).finally((function(){setTimeout((function(){t.loaded=!0}),500)}))},handleRedirect:function(t){axios.post("/auth/raw/mastodon/redirect",{domain:t}).then((function(r){r&&r.data.hasOwnProperty("ready")&&(r.data.hasOwnProperty("action")&&"incompatible_domain"===r.data.action?swal("Oops!","This server is not compatible, please choose another or try again later!","error"):r.data.ready&&(window.location.href="/auth/raw/mastodon/preflight?d="+t+"&dsh="+r.data.dsh))}))},handleOther:function(){var t=this;swal({text:"Enter your mastodon domain (without https://)",content:"input",button:{text:"Next",closeModal:!1}}).then((function(r){if(!r)throw null;if(!r.startsWith("https://"))return t.handleRedirect(r)}))}}}},71456:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(93410),a=o(36357);const n={props:{initialData:{type:Object}},components:{InstagramLoader:a.InstagramLoader},data:function(){return{step:1,validUsername:!1,usernameError:void 0,username:this.initialData.username,email:void 0,emailError:void 0,validEmail:!1,password:void 0,passwordConfirm:void 0,passwordValid:!1,following:[],followingFetched:!1,selectedFollowing:[],form:{importAvatar:!0,bio:this.stripTagsPreserveNewlines(this.initialData.note),display_name:this.initialData.display_name},isSubmitting:!1,submitProgress:0,submitMessage:"Please wait...",isImportingFollowing:!1,accountToId:[],followingIds:[],accessToken:void 0}},mounted:function(){this.checkUsernameAvailability()},watch:{username:(0,e.debounce)((function(t){this.checkUsernameAvailability()}),500),email:(0,e.debounce)((function(t){this.checkEmailAvailability()}),500),passwordConfirm:function(t){this.checkPasswordConfirm(t)},selectedFollowing:function(t){this.lookupSelected(t)}},methods:{checkPasswordConfirm:function(t){this.password&&t&&(this.passwordValid=t.trim()===this.password.trim())},handleBack:function(){event.currentTarget.blur(),this.step--},handleProceed:function(){event.currentTarget.blur(),this.step++,this.followingFetched||this.fetchFollowing()},checkUsernameAvailability:function(){var t=this;axios.post("/auth/raw/mastodon/s/username-check",{username:this.username}).then((function(r){r.data&&r.data.hasOwnProperty("exists")&&(t.usernameError=void 0,t.validUsername=0==r.data.exists)})).catch((function(r){t.usernameError=r.response.data.message}))},checkEmailAvailability:function(){var t=this;axios.post("/auth/raw/mastodon/s/email-check",{email:this.email}).then((function(r){return r.data?r.data&&r.data.hasOwnProperty("banned")&&r.data.banned?(t.emailError="This email provider is not supported, please use a different email address.",void(t.validEmail=!1)):void(r.data&&r.data.hasOwnProperty("exists")&&(t.emailError=void 0,t.validEmail=0==r.data.exists)):(t.emailError=void 0,void(t.validEmail=!1))})).catch((function(r){t.emailError=r.response.data.message}))},canProceed:function(){switch(this.step){case 1:case 3:case 4:return!1;case 2:return this.usernameError||!this.validUsername;case 5:return!this.email||!this.validEmail||!this.password||!this.password.length||this.password.length<8||!this.passwordConfirm||!this.passwordConfirm.length||this.passwordConfirm.length<8||!this.passwordValid}},handleFollower:function(t,r){t.target.checked?-1==this.selectedFollowing.indexOf(r.url)&&this.selectedFollowing.push(r.url):this.selectedFollowing=this.selectedFollowing.filter((function(t){return t!==r.url}))},handleFollowerSelectAll:function(){this.selectedFollowing=this.following.map((function(t){return t.url}))},handleFollowerUnselectAll:function(){this.selectedFollowing=[]},lookupSelected:function(t){var r=this;if(t&&t.length)for(var o=function(){var o=t[e];r.accountToId.map((function(t){return t.url})).includes(o)||axios.post("/auth/raw/mastodon/s/account-to-id",{account:o}).then((function(t){r.accountToId.push({id:t.data.id,url:o})}))},e=t.length-1;e>=0;e--)o()},fetchFollowing:function(){var t=this;axios.post("/auth/raw/mastodon/s/following").then((function(r){t.following=r.data.following,t.followingFetched=!0})).finally((function(){setTimeout((function(){t.followingFetched=!0}),1e3)}))},stripTagsPreserveNewlines:function(t){var r=(new DOMParser).parseFromString(t,"text/html").body,o="";return function t(r){var e=r.nodeName.toLowerCase();"p"===e?o+="\n":"#text"===e&&(o+=r.textContent);for(var a=r.childNodes,n=0;n{"use strict";o.r(r),o.d(r,{render:()=>e,staticRenderFns:()=>a});var e=function(){var t=this,r=t._self._c;return r("div",{staticClass:"container remote-auth-getting-started"},[r("div",{staticClass:"row mt-5 justify-content-center"},[r("div",{staticClass:"col-12 col-xl-5 col-md-7"},[t.error?r("div",{staticClass:"card shadow-none border"},[t._m(7)]):r("div",{staticClass:"card shadow-none border",staticStyle:{"border-radius":"20px"}},[t.loaded||t.existing||t.maxUsesReached?t.loaded||t.existing||!t.maxUsesReached?!t.loaded&&t.existing?r("div",{staticClass:"card-body d-flex align-items-center flex-column",staticStyle:{"min-height":"660px"}},[t._m(5),t._v(" "),r("div",{staticClass:"w-100 d-flex align-items-center justify-content-center flex-grow-1 flex-column gap-1"},[r("b-spinner"),t._v(" "),t._m(6)],1)]):r("register-form",{attrs:{initialData:t.prefill},on:{setCanReload:t.setCanReload}}):r("div",{staticClass:"card-body d-flex align-items-center flex-column",staticStyle:{"min-height":"660px"}},[t._m(2),t._v(" "),t._m(3),t._v(" "),t._m(4)]):r("div",{staticClass:"card-body d-flex align-items-center flex-column",staticStyle:{"min-height":"400px"}},[t._m(0),t._v(" "),r("div",{staticClass:"w-100 d-flex align-items-center justify-content-center flex-grow-1 flex-column gap-1"},[r("div",{staticClass:"position-relative w-100"},[r("p",{staticClass:"pa-center"},[t._v("Please wait...")]),t._v(" "),r("instagram-loader")],1),t._v(" "),t._m(1)])])],1)])])])},a=[function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr")])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("hr"),t._v(" "),r("p",{staticClass:"text-center mb-0"},[r("a",{staticClass:"font-weight-bold",attrs:{href:"/login"}},[t._v("Go back to login")])])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr")])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100 d-flex align-items-center justify-content-center flex-grow-1 flex-column gap-1"},[r("p",{staticClass:"lead text-center font-weight-bold mt-3"},[t._v("Oops!")]),t._v(" "),r("p",{staticClass:"mb-2 text-center"},[t._v("We cannot complete your request at this time")]),t._v(" "),r("p",{staticClass:"mb-3 text-center text-xs"},[t._v("It appears that you've signed-in on other Pixelfed instances and reached the max limit that we accept.")])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("p",{staticClass:"text-center mb-0"},[r("a",{staticClass:"font-weight-bold",attrs:{href:"/site/contact"}},[t._v("Contact Support")])]),t._v(" "),r("hr"),t._v(" "),r("p",{staticClass:"text-center mb-0"},[r("a",{staticClass:"font-weight-bold",attrs:{href:"/login"}},[t._v("Go back to login")])])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr")])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"text-center"},[r("p",{staticClass:"lead mb-0"},[t._v("Welcome back!")]),t._v(" "),r("p",{staticClass:"text-xs text-muted"},[t._v("One moment please, we're logging you in...")])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"card-body d-flex align-items-center flex-column",staticStyle:{"min-height":"660px"}},[r("div",{staticClass:"w-100"},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr")]),t._v(" "),r("div",{staticClass:"w-100 d-flex align-items-center justify-content-center flex-grow-1 flex-column gap-1"},[r("p",{staticClass:"lead text-center font-weight-bold mt-3"},[t._v("Oops, something went wrong!")]),t._v(" "),r("p",{staticClass:"mb-3"},[t._v("We cannot complete your request at this time, please try again later.")]),t._v(" "),r("p",{staticClass:"text-xs text-muted mb-1"},[t._v("This can happen for a few different reasons:")]),t._v(" "),r("ul",{staticClass:"text-xs text-muted"},[r("li",[t._v("The remote instance cannot be reached")]),t._v(" "),r("li",[t._v("The remote instance is not supported yet")]),t._v(" "),r("li",[t._v("The remote instance has been disabled by admins")]),t._v(" "),r("li",[t._v("The remote instance does not allow remote logins")])])]),t._v(" "),r("div",{staticClass:"w-100"},[r("hr"),t._v(" "),r("p",{staticClass:"text-center mb-0"},[r("a",{staticClass:"font-weight-bold",attrs:{href:"/login"}},[t._v("Go back to login")])])])])}]},75381:(t,r,o)=>{"use strict";o.r(r),o.d(r,{render:()=>e,staticRenderFns:()=>a});var e=function(){var t=this,r=t._self._c;return r("div",{staticClass:"container remote-auth-start"},[r("div",{staticClass:"row mt-5 justify-content-center"},[r("div",{staticClass:"col-12 col-md-5"},[r("div",{staticClass:"card shadow-none border",staticStyle:{"border-radius":"20px"}},[t.loaded?r("div",{staticClass:"card-body",staticStyle:{"min-height":"662px"}},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr"),t._v(" "),r("p",{staticClass:"small text-center mb-3"},[t._v("Select your Mastodon server:")]),t._v(" "),t._l(t.domains,(function(o){return r("button",{staticClass:"server-btn",attrs:{type:"button"},on:{click:function(r){return t.handleRedirect(o)}}},[r("span",{staticClass:"font-weight-bold"},[t._v(t._s(o))])])})),t._v(" "),r("hr"),t._v(" "),r("p",{staticClass:"text-center"},[r("button",{staticClass:"other-server-btn",attrs:{type:"button"},on:{click:function(r){return t.handleOther()}}},[t._v("Sign-in with a different server")])]),t._v(" "),t._m(1)],2):r("div",{staticClass:"card-body d-flex justify-content-center flex-column",staticStyle:{"min-height":"662px"}},[r("p",{staticClass:"lead text-center font-weight-bold mb-0"},[t._v("Sign-in with Mastodon")]),t._v(" "),t._m(0),t._v(" "),r("div",{staticClass:"d-flex justify-content-center align-items-center flex-grow-1"},[r("b-spinner")],1)])])])])])},a=[function(){var t=this._self._c;return t("div",{staticClass:"w-100"},[t("hr")])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"w-100"},[r("hr"),t._v(" "),r("p",{staticClass:"text-center mb-0"},[r("a",{staticClass:"font-weight-bold",attrs:{href:"/login"}},[t._v("Go back to login")])])])}]},68867:(t,r,o)=>{"use strict";o.r(r),o.d(r,{render:()=>e,staticRenderFns:()=>a});var e=function(){var t=this,r=t._self._c;return r("div",{staticClass:"card-body"},[r("p",{staticClass:"lead text-center font-weight-bold"},[t._v("Sign-in with Mastodon")]),t._v(" "),r("hr"),t._v(" "),1===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"flex-grow-1"},[r("p",{staticClass:"text-dark"},[t._v("Hello "+t._s(t.initialData._webfinger)+",")]),t._v(" "),r("p",{staticClass:"lead font-weight-bold"},[t._v("Welcome to Pixelfed!")]),t._v(" "),r("p",[t._v("You are moments away from joining our vibrant photo and video focused community with members from around the world.")])]),t._v(" "),t._m(0)])]:2===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"pt-3"},[r("div",{staticClass:"form-group has-float-label"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.username,expression:"username"}],staticClass:"form-control form-control-lg",attrs:{id:"f_username","aria-describedby":"f_username_help",autofocus:""},domProps:{value:t.username},on:{input:function(r){r.target.composing||(t.username=r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_username"}},[t._v("Username")]),t._v(" "),t.validUsername&&!t.usernameError?r("p",{staticClass:"text-xs text-success font-weight-bold mt-1 mb-0",attrs:{id:"f_username_help"}},[t._v("Available")]):t.validUsername||t.usernameError?t.usernameError?r("p",{staticClass:"text-xs text-danger font-weight-bold mt-1 mb-0",attrs:{id:"f_username_help"}},[t._v(t._s(t.usernameError))]):t._e():r("p",{staticClass:"text-xs text-danger font-weight-bold mt-1 mb-0",attrs:{id:"f_username_help"}},[t._v("Username taken")])])]),t._v(" "),r("div",{staticClass:"pt-3"},[r("p",{staticClass:"text-sm font-weight-bold mb-1"},[t._v("Avatar")]),t._v(" "),r("div",{staticClass:"border rounded-lg p-3 d-flex align-items-center justify-content-between gap-1"},[t.form.importAvatar?r("img",{staticClass:"rounded-circle",attrs:{src:t.initialData.avatar,width:"40",height:"40"}}):r("img",{staticClass:"rounded-circle",attrs:{src:"/storage/avatars/default.jpg",width:"40",height:"40"}}),t._v(" "),r("div",{staticClass:"custom-control custom-checkbox"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.form.importAvatar,expression:"form.importAvatar"}],staticClass:"custom-control-input",attrs:{type:"checkbox",id:"customCheck1"},domProps:{checked:Array.isArray(t.form.importAvatar)?t._i(t.form.importAvatar,null)>-1:t.form.importAvatar},on:{change:function(r){var o=t.form.importAvatar,e=r.target,a=!!e.checked;if(Array.isArray(o)){var n=t._i(o,null);e.checked?n<0&&t.$set(t.form,"importAvatar",o.concat([null])):n>-1&&t.$set(t.form,"importAvatar",o.slice(0,n).concat(o.slice(n+1)))}else t.$set(t.form,"importAvatar",a)}}}),t._v(" "),r("label",{staticClass:"custom-control-label text-xs font-weight-bold",staticStyle:{"line-height":"24px"},attrs:{for:"customCheck1"}},[t._v("Import my Mastodon avatar")])])])])])]:3===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"pt-3"},[r("div",{staticClass:"form-group has-float-label"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.form.display_name,expression:"form.display_name"}],staticClass:"form-control form-control-lg",attrs:{id:"f_name","aria-describedby":"f_name_help"},domProps:{value:t.form.display_name},on:{input:function(r){r.target.composing||t.$set(t.form,"display_name",r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_name"}},[t._v("Display Name")]),t._v(" "),r("div",{staticClass:"text-xs text-muted mt-1",attrs:{id:"f_name_help"}},[t._v("Your display name, shown on your profile. You can change this later.")])])]),t._v(" "),r("div",{staticClass:"pt-3"},[r("div",{staticClass:"form-group has-float-label"},[r("textarea",{directives:[{name:"model",rawName:"v-model",value:t.form.bio,expression:"form.bio"}],staticClass:"form-control",attrs:{id:"f_bio","aria-describedby":"f_bio_help",rows:"5"},domProps:{value:t.form.bio},on:{input:function(r){r.target.composing||t.$set(t.form,"bio",r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_bio"}},[t._v("Bio")]),t._v(" "),r("div",{staticClass:"text-xs text-muted mt-1 d-flex justify-content-between align-items-center",attrs:{id:"f_bio_help"}},[r("div",[t._v("Describe yourself, you can change this later.")]),t._v(" "),r("div",[t._v(t._s(t.form.bio?t.form.bio.length:0)+"/500")])])])])])]:4===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"pt-3"},[r("div",{staticClass:"d-flex align-items-center justify-content-between mb-3"},[t._m(1),t._v(" "),r("div",{staticStyle:{"min-width":"100px","text-align":"right"}},[t.following&&t.selectedFollowing&&t.following.length==t.selectedFollowing.length?r("p",{staticClass:"mb-0"},[r("a",{staticClass:"font-weight-bold text-xs text-danger",attrs:{href:"#"},on:{click:function(r){return r.preventDefault(),t.handleFollowerUnselectAll()}}},[t._v("Unselect All")])]):r("p",{staticClass:"mb-0"},[r("a",{staticClass:"font-weight-bold text-xs",attrs:{href:"#"},on:{click:function(r){return r.preventDefault(),t.handleFollowerSelectAll()}}},[t._v("Select All")])])])]),t._v(" "),t.followingFetched?r("div",{staticClass:"list-group limit-h"},t._l(t.following,(function(o,e){return r("div",{staticClass:"list-group-item"},[r("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"8px"}},[r("div",{staticClass:"d-flex align-items-center",staticStyle:{gap:"5px"}},[r("div",{staticClass:"custom-control custom-checkbox"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.selectedFollowing,expression:"selectedFollowing"}],staticClass:"custom-control-input",attrs:{type:"checkbox",id:"fac"+e},domProps:{value:o.url,checked:Array.isArray(t.selectedFollowing)?t._i(t.selectedFollowing,o.url)>-1:t.selectedFollowing},on:{change:[function(r){var e=t.selectedFollowing,a=r.target,n=!!a.checked;if(Array.isArray(e)){var i=o.url,l=t._i(e,i);a.checked?l<0&&(t.selectedFollowing=e.concat([i])):l>-1&&(t.selectedFollowing=e.slice(0,l).concat(e.slice(l+1)))}else t.selectedFollowing=n},function(r){return t.handleFollower(r,o)}]}}),t._v(" "),r("label",{staticClass:"custom-control-label",attrs:{for:"fac"+e}})]),t._v(" "),o.avatar?r("img",{staticClass:"rounded-circle",attrs:{src:o.avatar,width:"34",height:"34"}}):r("img",{staticClass:"rounded-circle",attrs:{src:"/storage/avatars/default.jpg",width:"34",height:"34"}})]),t._v(" "),r("div",{staticStyle:{"max-width":"70%"}},[r("p",{staticClass:"font-weight-bold mb-0 text-truncate"},[t._v("@"+t._s(o.username))]),t._v(" "),r("p",{staticClass:"text-xs text-lighter mb-0 text-truncate"},[t._v(t._s(o.url.replace("https://","")))])])])])})),0):r("div",{staticClass:"d-flex align-items-center justify-content-center limit-h"},[r("div",{staticClass:"w-100"},[r("instagram-loader")],1)])])])]:5===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"pt-3"},[t._m(2),t._v(" "),r("div",{staticClass:"form-group has-float-label"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.email,expression:"email"}],staticClass:"form-control",attrs:{id:"f_email","aria-describedby":"f_email_help",autofocus:"autofocus"},domProps:{value:t.email},on:{input:function(r){r.target.composing||(t.email=r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_email"}},[t._v("Email address")]),t._v(" "),t.email&&t.validEmail&&!t.emailError?r("p",{staticClass:"text-xs text-success font-weight-bold mt-1 mb-0",attrs:{id:"f_email_help"}},[t._v("Available")]):!t.email||t.validEmail||t.emailError?t.email&&t.emailError?r("p",{staticClass:"text-xs text-danger font-weight-bold mt-1 mb-0",attrs:{id:"f_email_help"}},[t._v(t._s(t.emailError))]):r("p",{staticClass:"text-xs text-muted mt-1 mb-0",attrs:{id:"f_email_help"}},[t._v("We'll never share your email with anyone else.")]):r("p",{staticClass:"text-xs text-danger font-weight-bold mt-1 mb-0",attrs:{id:"f_email_help"}},[t._v("Email already in use")])])]),t._v(" "),t.email&&t.email.length&&t.validEmail?r("div",{staticClass:"pt-3"},[r("div",{staticClass:"form-group has-float-label"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.password,expression:"password"}],staticClass:"form-control",attrs:{type:"password",id:"f_password","aria-describedby":"f_password_help",autocomplete:"new-password",autofocus:"autofocus"},domProps:{value:t.password},on:{input:function(r){r.target.composing||(t.password=r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_password"}},[t._v("Password")]),t._v(" "),r("div",{staticClass:"text-xs text-muted",attrs:{id:"f_password_help"}},[t._v("Use a memorable password that you don't use on other sites.")])])]):t._e(),t._v(" "),t.password&&t.password.length>=8?r("div",{staticClass:"pt-3"},[r("div",{staticClass:"form-group has-float-label"},[r("input",{directives:[{name:"model",rawName:"v-model",value:t.passwordConfirm,expression:"passwordConfirm"}],staticClass:"form-control",attrs:{type:"password",id:"f_passwordConfirm","aria-describedby":"f_passwordConfirm_help",autocomplete:"new-password",autofocus:"autofocus"},domProps:{value:t.passwordConfirm},on:{input:function(r){r.target.composing||(t.passwordConfirm=r.target.value)}}}),t._v(" "),r("label",{attrs:{for:"f_passwordConfirm"}},[t._v("Confirm Password")]),t._v(" "),r("div",{staticClass:"text-xs text-muted",attrs:{id:"f_passwordConfirm_help"}},[t._v("Re-enter your password.")])])]):t._e()])]:6===t.step?[r("div",{staticClass:"wrapper-mh"},[t._m(3),t._v(" "),r("div",{staticClass:"card shadow-none border",staticStyle:{"border-radius":"1rem"}},[r("div",{staticClass:"card-body"},[r("div",{staticClass:"d-flex gap-1"},[r("img",{staticClass:"rounded-circle",attrs:{src:t.initialData.avatar,width:"90",height:"90"}}),t._v(" "),r("div",[r("p",{staticClass:"lead font-weight-bold mb-n1"},[t._v("@"+t._s(t.username))]),t._v(" "),r("p",{staticClass:"small font-weight-light text-muted mb-1"},[t._v(t._s(t.username)+"@pixelfed.test")]),t._v(" "),r("p",{staticClass:"text-xs mb-0 text-lighter"},[t._v(t._s(t.form.bio.slice(0,80)+"..."))])])])])]),t._v(" "),r("div",{staticClass:"list-group mt-3",staticStyle:{"border-radius":"1rem"}},[r("div",{staticClass:"list-group-item d-flex align-items-center justify-content-between"},[r("div",{staticClass:"text-xs"},[t._v("Email")]),t._v(" "),r("div",{staticClass:"font-weight-bold"},[t._v(t._s(t.email))])]),t._v(" "),r("div",{staticClass:"list-group-item d-flex align-items-center justify-content-between"},[r("div",{staticClass:"text-xs"},[t._v("Following Imports")]),t._v(" "),r("div",{staticClass:"font-weight-bold"},[t._v(t._s(t.selectedFollowing?t.selectedFollowing.length:0))])])])])]:7===t.step?[r("div",{staticClass:"wrapper-mh"},[r("div",{staticClass:"w-100 d-flex flex-column gap-1"},[r("b-progress",{attrs:{value:t.submitProgress,max:100,height:"1rem",animated:""}}),t._v(" "),r("p",{staticClass:"text-center text-xs text-lighter"},[t._v(t._s(t.submitMessage))])],1)])]:t._e(),t._v(" "),r("hr"),t._v(" "),7===t.step?[r("div",{staticClass:"d-flex align-items-center justify-content-center gap-1 mb-2"},[r("button",{staticClass:"btn btn-outline-primary font-weight-bold btn-block my-0",on:{click:function(r){return t.handleBack()}}},[t._v("Back")]),t._v(" "),r("button",{staticClass:"btn btn-primary font-weight-bold btn-block my-0",attrs:{disabled:""},on:{click:function(r){return t.handleJoin()}}},[t._v("Continue")])])]:[r("div",{staticClass:"d-flex align-items-center justify-content-center gap-1 mb-2"},[t.step>1?r("button",{staticClass:"btn btn-outline-primary font-weight-bold btn-block my-0",attrs:{disabled:t.isSubmitting},on:{click:function(r){return t.handleBack()}}},[t._v("Back")]):t._e(),t._v(" "),6===t.step?r("button",{staticClass:"btn btn-primary font-weight-bold btn-block my-0",attrs:{disabled:t.isSubmitting},on:{click:function(r){return t.handleJoin()}}},[t.isSubmitting?r("b-spinner",{attrs:{small:""}}):r("span",[t._v("Continue")])],1):r("button",{staticClass:"btn btn-primary font-weight-bold btn-block my-0",attrs:{disabled:t.canProceed()},on:{click:function(r){return t.handleProceed()}}},[t._v("Next")])]),t._v(" "),!t.isSubmitting&&t.step<=6?[r("hr"),t._v(" "),t._m(4)]:t._e()]],2)},a=[function(){var t=this,r=t._self._c;return r("p",{staticClass:"text-xs text-lighter"},[t._v("Your Mastodon account "),r("strong",[t._v("avatar")]),t._v(", "),r("strong",[t._v("bio")]),t._v(", "),r("strong",[t._v("display name")]),t._v(", "),r("strong",[t._v("followed accounts")]),t._v(" and "),r("strong",[t._v("username")]),t._v(" will be imported to speed up the sign-up process. We will never post on your behalf, we only access your public profile data (avatar, bio, display name, followed accounts and username).")])},function(){var t=this,r=t._self._c;return r("div",[r("p",{staticClass:"font-weight-bold mb-0"},[t._v("Import accounts you follow")]),t._v(" "),r("p",{staticClass:"text-muted text-xs mb-0"},[t._v("You can skip this step and follow accounts later")])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"pb-3"},[r("p",{staticClass:"font-weight-bold mb-0"},[t._v("We need a bit more info")]),t._v(" "),r("p",{staticClass:"text-xs text-muted"},[t._v("Enter your email so you recover access to your account in the future")])])},function(){var t=this,r=t._self._c;return r("div",{staticClass:"my-5"},[r("p",{staticClass:"lead text-center font-weight-bold mb-0"},[t._v("You're almost ready!")]),t._v(" "),r("p",{staticClass:"text-center text-lighter text-xs"},[t._v("Confirm your email and other info")])])},function(){var t=this._self._c;return t("p",{staticClass:"text-center mb-0"},[t("a",{staticClass:"font-weight-bold",attrs:{href:"/login"}},[this._v("Go back to login")])])}]},65912:(t,r,o)=>{Vue.component("remote-auth-start-component",o(34534).default),Vue.component("remote-auth-getting-started-component",o(45733).default)},93410:(t,r,o)=>{"use strict";function e(t,r){var o=null;return function(){clearTimeout(o);var e=arguments,a=this;o=setTimeout((function(){t.apply(a,e)}),r)}}o.r(r),o.d(r,{debounce:()=>e})},61433:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(1519),a=o.n(e)()((function(t){return t[1]}));a.push([t.id,"@charset \"UTF-8\";\n/*!\n * Bootstrap v4.6.2 (https://getbootstrap.com/)\n * Copyright 2011-2022 The Bootstrap Authors\n * Copyright 2011-2022 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE)\n */:root{--blue:#007bff;--indigo:#6610f2;--purple:#6f42c1;--pink:#e83e8c;--red:#dc3545;--orange:#fd7e14;--yellow:#ffc107;--green:#28a745;--teal:#20c997;--cyan:#17a2b8;--white:#fff;--gray:#6c757d;--gray-dark:#343a40;--primary:#007bff;--secondary:#6c757d;--success:#28a745;--info:#17a2b8;--warning:#ffc107;--danger:#dc3545;--light:#f8f9fa;--dark:#343a40;--breakpoint-xs:0;--breakpoint-sm:576px;--breakpoint-md:768px;--breakpoint-lg:992px;--breakpoint-xl:1200px;--font-family-sans-serif:-apple-system,BlinkMacSystemFont,\"Segoe UI\",Roboto,\"Helvetica Neue\",Arial,\"Noto Sans\",\"Liberation Sans\",sans-serif,\"Apple Color Emoji\",\"Segoe UI Emoji\",\"Segoe UI Symbol\",\"Noto Color Emoji\";--font-family-monospace:SFMono-Regular,Menlo,Monaco,Consolas,\"Liberation Mono\",\"Courier New\",monospace}*,:after,:before{box-sizing:border-box}html{-webkit-text-size-adjust:100%;-webkit-tap-highlight-color:rgba(0,0,0,0);font-family:sans-serif;line-height:1.15}article,aside,figcaption,figure,footer,header,hgroup,main,nav,section{display:block}body{background-color:#fff;color:#212529;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:1rem;font-weight:400;line-height:1.5;margin:0;text-align:left}[tabindex=\"-1\"]:focus:not(:focus-visible){outline:0!important}hr{box-sizing:content-box;height:0;overflow:visible}h1,h2,h3,h4,h5,h6{margin-bottom:.5rem;margin-top:0}p{margin-bottom:1rem;margin-top:0}abbr[data-original-title],abbr[title]{border-bottom:0;cursor:help;text-decoration:underline;-webkit-text-decoration:underline dotted;text-decoration:underline dotted;-webkit-text-decoration-skip-ink:none;text-decoration-skip-ink:none}address{font-style:normal;line-height:inherit}address,dl,ol,ul{margin-bottom:1rem}dl,ol,ul{margin-top:0}ol ol,ol ul,ul ol,ul ul{margin-bottom:0}dt{font-weight:700}dd{margin-bottom:.5rem;margin-left:0}blockquote{margin:0 0 1rem}b,strong{font-weight:bolder}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}a{background-color:transparent;color:#007bff;text-decoration:none}a:hover{color:#0056b3;text-decoration:underline}a:not([href]):not([class]),a:not([href]):not([class]):hover{color:inherit;text-decoration:none}code,kbd,pre,samp{font-family:SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace;font-size:1em}pre{-ms-overflow-style:scrollbar;margin-bottom:1rem;margin-top:0;overflow:auto}figure{margin:0 0 1rem}img{border-style:none}img,svg{vertical-align:middle}svg{overflow:hidden}table{border-collapse:collapse}caption{caption-side:bottom;color:#6c757d;padding-bottom:.75rem;padding-top:.75rem;text-align:left}th{text-align:inherit;text-align:-webkit-match-parent}label{display:inline-block;margin-bottom:.5rem}button{border-radius:0}button:focus:not(:focus-visible){outline:0}button,input,optgroup,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit;margin:0}button,input{overflow:visible}button,select{text-transform:none}[role=button]{cursor:pointer}select{word-wrap:normal}[type=button],[type=reset],[type=submit],button{-webkit-appearance:button}[type=button]:not(:disabled),[type=reset]:not(:disabled),[type=submit]:not(:disabled),button:not(:disabled){cursor:pointer}[type=button]::-moz-focus-inner,[type=reset]::-moz-focus-inner,[type=submit]::-moz-focus-inner,button::-moz-focus-inner{border-style:none;padding:0}input[type=checkbox],input[type=radio]{box-sizing:border-box;padding:0}textarea{overflow:auto;resize:vertical}fieldset{border:0;margin:0;min-width:0;padding:0}legend{color:inherit;display:block;font-size:1.5rem;line-height:inherit;margin-bottom:.5rem;max-width:100%;padding:0;white-space:normal;width:100%}progress{vertical-align:baseline}[type=number]::-webkit-inner-spin-button,[type=number]::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:none;outline-offset:-2px}[type=search]::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}output{display:inline-block}summary{cursor:pointer;display:list-item}template{display:none}[hidden]{display:none!important}.h1,.h2,.h3,.h4,.h5,.h6,h1,h2,h3,h4,h5,h6{font-weight:500;line-height:1.2;margin-bottom:.5rem}.h1,h1{font-size:2.5rem}.h2,h2{font-size:2rem}.h3,h3{font-size:1.75rem}.h4,h4{font-size:1.5rem}.h5,h5{font-size:1.25rem}.h6,h6{font-size:1rem}.lead{font-size:1.25rem;font-weight:300}.display-1{font-size:6rem}.display-1,.display-2{font-weight:300;line-height:1.2}.display-2{font-size:5.5rem}.display-3{font-size:4.5rem}.display-3,.display-4{font-weight:300;line-height:1.2}.display-4{font-size:3.5rem}hr{border:0;border-top:1px solid rgba(0,0,0,.1);margin-bottom:1rem;margin-top:1rem}.small,small{font-size:.875em;font-weight:400}.mark,mark{background-color:#fcf8e3;padding:.2em}.list-inline,.list-unstyled{list-style:none;padding-left:0}.list-inline-item{display:inline-block}.list-inline-item:not(:last-child){margin-right:.5rem}.initialism{font-size:90%;text-transform:uppercase}.blockquote{font-size:1.25rem;margin-bottom:1rem}.blockquote-footer{color:#6c757d;display:block;font-size:.875em}.blockquote-footer:before{content:\"— \"}.img-fluid,.img-thumbnail{height:auto;max-width:100%}.img-thumbnail{background-color:#fff;border:1px solid #dee2e6;border-radius:.25rem;padding:.25rem}.figure{display:inline-block}.figure-img{line-height:1;margin-bottom:.5rem}.figure-caption{color:#6c757d;font-size:90%}code{word-wrap:break-word;color:#e83e8c;font-size:87.5%}a>code{color:inherit}kbd{background-color:#212529;border-radius:.2rem;color:#fff;font-size:87.5%;padding:.2rem .4rem}kbd kbd{font-size:100%;font-weight:700;padding:0}pre{color:#212529;display:block;font-size:87.5%}pre code{color:inherit;font-size:inherit;word-break:normal}.pre-scrollable{max-height:340px;overflow-y:scroll}.container,.container-fluid,.container-lg,.container-md,.container-sm,.container-xl{margin-left:auto;margin-right:auto;padding-left:15px;padding-right:15px;width:100%}@media (min-width:576px){.container,.container-sm{max-width:540px}}@media (min-width:768px){.container,.container-md,.container-sm{max-width:720px}}@media (min-width:992px){.container,.container-lg,.container-md,.container-sm{max-width:960px}}@media (min-width:1200px){.container,.container-lg,.container-md,.container-sm,.container-xl{max-width:1140px}}.row{display:flex;flex-wrap:wrap;margin-left:-15px;margin-right:-15px}.no-gutters{margin-left:0;margin-right:0}.no-gutters>.col,.no-gutters>[class*=col-]{padding-left:0;padding-right:0}.col,.col-1,.col-10,.col-11,.col-12,.col-2,.col-3,.col-4,.col-5,.col-6,.col-7,.col-8,.col-9,.col-auto,.col-lg,.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-lg-auto,.col-md,.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-auto,.col-sm,.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-sm-auto,.col-xl,.col-xl-1,.col-xl-10,.col-xl-11,.col-xl-12,.col-xl-2,.col-xl-3,.col-xl-4,.col-xl-5,.col-xl-6,.col-xl-7,.col-xl-8,.col-xl-9,.col-xl-auto{padding-left:15px;padding-right:15px;position:relative;width:100%}.col{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-1>*{flex:0 0 100%;max-width:100%}.row-cols-2>*{flex:0 0 50%;max-width:50%}.row-cols-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-4>*{flex:0 0 25%;max-width:25%}.row-cols-5>*{flex:0 0 20%;max-width:20%}.row-cols-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-auto{flex:0 0 auto;max-width:100%;width:auto}.col-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-3{flex:0 0 25%;max-width:25%}.col-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-6{flex:0 0 50%;max-width:50%}.col-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-9{flex:0 0 75%;max-width:75%}.col-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-12{flex:0 0 100%;max-width:100%}.order-first{order:-1}.order-last{order:13}.order-0{order:0}.order-1{order:1}.order-2{order:2}.order-3{order:3}.order-4{order:4}.order-5{order:5}.order-6{order:6}.order-7{order:7}.order-8{order:8}.order-9{order:9}.order-10{order:10}.order-11{order:11}.order-12{order:12}.offset-1{margin-left:8.33333333%}.offset-2{margin-left:16.66666667%}.offset-3{margin-left:25%}.offset-4{margin-left:33.33333333%}.offset-5{margin-left:41.66666667%}.offset-6{margin-left:50%}.offset-7{margin-left:58.33333333%}.offset-8{margin-left:66.66666667%}.offset-9{margin-left:75%}.offset-10{margin-left:83.33333333%}.offset-11{margin-left:91.66666667%}@media (min-width:576px){.col-sm{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-sm-1>*{flex:0 0 100%;max-width:100%}.row-cols-sm-2>*{flex:0 0 50%;max-width:50%}.row-cols-sm-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-sm-4>*{flex:0 0 25%;max-width:25%}.row-cols-sm-5>*{flex:0 0 20%;max-width:20%}.row-cols-sm-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-sm-auto{flex:0 0 auto;max-width:100%;width:auto}.col-sm-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-sm-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-sm-3{flex:0 0 25%;max-width:25%}.col-sm-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-sm-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-sm-6{flex:0 0 50%;max-width:50%}.col-sm-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-sm-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-sm-9{flex:0 0 75%;max-width:75%}.col-sm-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-sm-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-sm-12{flex:0 0 100%;max-width:100%}.order-sm-first{order:-1}.order-sm-last{order:13}.order-sm-0{order:0}.order-sm-1{order:1}.order-sm-2{order:2}.order-sm-3{order:3}.order-sm-4{order:4}.order-sm-5{order:5}.order-sm-6{order:6}.order-sm-7{order:7}.order-sm-8{order:8}.order-sm-9{order:9}.order-sm-10{order:10}.order-sm-11{order:11}.order-sm-12{order:12}.offset-sm-0{margin-left:0}.offset-sm-1{margin-left:8.33333333%}.offset-sm-2{margin-left:16.66666667%}.offset-sm-3{margin-left:25%}.offset-sm-4{margin-left:33.33333333%}.offset-sm-5{margin-left:41.66666667%}.offset-sm-6{margin-left:50%}.offset-sm-7{margin-left:58.33333333%}.offset-sm-8{margin-left:66.66666667%}.offset-sm-9{margin-left:75%}.offset-sm-10{margin-left:83.33333333%}.offset-sm-11{margin-left:91.66666667%}}@media (min-width:768px){.col-md{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-md-1>*{flex:0 0 100%;max-width:100%}.row-cols-md-2>*{flex:0 0 50%;max-width:50%}.row-cols-md-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-md-4>*{flex:0 0 25%;max-width:25%}.row-cols-md-5>*{flex:0 0 20%;max-width:20%}.row-cols-md-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-md-auto{flex:0 0 auto;max-width:100%;width:auto}.col-md-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-md-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-md-3{flex:0 0 25%;max-width:25%}.col-md-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-md-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-md-6{flex:0 0 50%;max-width:50%}.col-md-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-md-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-md-9{flex:0 0 75%;max-width:75%}.col-md-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-md-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-md-12{flex:0 0 100%;max-width:100%}.order-md-first{order:-1}.order-md-last{order:13}.order-md-0{order:0}.order-md-1{order:1}.order-md-2{order:2}.order-md-3{order:3}.order-md-4{order:4}.order-md-5{order:5}.order-md-6{order:6}.order-md-7{order:7}.order-md-8{order:8}.order-md-9{order:9}.order-md-10{order:10}.order-md-11{order:11}.order-md-12{order:12}.offset-md-0{margin-left:0}.offset-md-1{margin-left:8.33333333%}.offset-md-2{margin-left:16.66666667%}.offset-md-3{margin-left:25%}.offset-md-4{margin-left:33.33333333%}.offset-md-5{margin-left:41.66666667%}.offset-md-6{margin-left:50%}.offset-md-7{margin-left:58.33333333%}.offset-md-8{margin-left:66.66666667%}.offset-md-9{margin-left:75%}.offset-md-10{margin-left:83.33333333%}.offset-md-11{margin-left:91.66666667%}}@media (min-width:992px){.col-lg{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-lg-1>*{flex:0 0 100%;max-width:100%}.row-cols-lg-2>*{flex:0 0 50%;max-width:50%}.row-cols-lg-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-lg-4>*{flex:0 0 25%;max-width:25%}.row-cols-lg-5>*{flex:0 0 20%;max-width:20%}.row-cols-lg-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-lg-auto{flex:0 0 auto;max-width:100%;width:auto}.col-lg-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-lg-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-lg-3{flex:0 0 25%;max-width:25%}.col-lg-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-lg-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-lg-6{flex:0 0 50%;max-width:50%}.col-lg-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-lg-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-lg-9{flex:0 0 75%;max-width:75%}.col-lg-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-lg-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-lg-12{flex:0 0 100%;max-width:100%}.order-lg-first{order:-1}.order-lg-last{order:13}.order-lg-0{order:0}.order-lg-1{order:1}.order-lg-2{order:2}.order-lg-3{order:3}.order-lg-4{order:4}.order-lg-5{order:5}.order-lg-6{order:6}.order-lg-7{order:7}.order-lg-8{order:8}.order-lg-9{order:9}.order-lg-10{order:10}.order-lg-11{order:11}.order-lg-12{order:12}.offset-lg-0{margin-left:0}.offset-lg-1{margin-left:8.33333333%}.offset-lg-2{margin-left:16.66666667%}.offset-lg-3{margin-left:25%}.offset-lg-4{margin-left:33.33333333%}.offset-lg-5{margin-left:41.66666667%}.offset-lg-6{margin-left:50%}.offset-lg-7{margin-left:58.33333333%}.offset-lg-8{margin-left:66.66666667%}.offset-lg-9{margin-left:75%}.offset-lg-10{margin-left:83.33333333%}.offset-lg-11{margin-left:91.66666667%}}@media (min-width:1200px){.col-xl{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-xl-1>*{flex:0 0 100%;max-width:100%}.row-cols-xl-2>*{flex:0 0 50%;max-width:50%}.row-cols-xl-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-xl-4>*{flex:0 0 25%;max-width:25%}.row-cols-xl-5>*{flex:0 0 20%;max-width:20%}.row-cols-xl-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-xl-auto{flex:0 0 auto;max-width:100%;width:auto}.col-xl-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-xl-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-xl-3{flex:0 0 25%;max-width:25%}.col-xl-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-xl-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-xl-6{flex:0 0 50%;max-width:50%}.col-xl-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-xl-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-xl-9{flex:0 0 75%;max-width:75%}.col-xl-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-xl-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-xl-12{flex:0 0 100%;max-width:100%}.order-xl-first{order:-1}.order-xl-last{order:13}.order-xl-0{order:0}.order-xl-1{order:1}.order-xl-2{order:2}.order-xl-3{order:3}.order-xl-4{order:4}.order-xl-5{order:5}.order-xl-6{order:6}.order-xl-7{order:7}.order-xl-8{order:8}.order-xl-9{order:9}.order-xl-10{order:10}.order-xl-11{order:11}.order-xl-12{order:12}.offset-xl-0{margin-left:0}.offset-xl-1{margin-left:8.33333333%}.offset-xl-2{margin-left:16.66666667%}.offset-xl-3{margin-left:25%}.offset-xl-4{margin-left:33.33333333%}.offset-xl-5{margin-left:41.66666667%}.offset-xl-6{margin-left:50%}.offset-xl-7{margin-left:58.33333333%}.offset-xl-8{margin-left:66.66666667%}.offset-xl-9{margin-left:75%}.offset-xl-10{margin-left:83.33333333%}.offset-xl-11{margin-left:91.66666667%}}.table{color:#212529;margin-bottom:1rem;width:100%}.table td,.table th{border-top:1px solid #dee2e6;padding:.75rem;vertical-align:top}.table thead th{border-bottom:2px solid #dee2e6;vertical-align:bottom}.table tbody+tbody{border-top:2px solid #dee2e6}.table-sm td,.table-sm th{padding:.3rem}.table-bordered,.table-bordered td,.table-bordered th{border:1px solid #dee2e6}.table-bordered thead td,.table-bordered thead th{border-bottom-width:2px}.table-borderless tbody+tbody,.table-borderless td,.table-borderless th,.table-borderless thead th{border:0}.table-striped tbody tr:nth-of-type(odd){background-color:rgba(0,0,0,.05)}.table-hover tbody tr:hover{background-color:rgba(0,0,0,.075);color:#212529}.table-primary,.table-primary>td,.table-primary>th{background-color:#b8daff}.table-primary tbody+tbody,.table-primary td,.table-primary th,.table-primary thead th{border-color:#7abaff}.table-hover .table-primary:hover,.table-hover .table-primary:hover>td,.table-hover .table-primary:hover>th{background-color:#9fcdff}.table-secondary,.table-secondary>td,.table-secondary>th{background-color:#d6d8db}.table-secondary tbody+tbody,.table-secondary td,.table-secondary th,.table-secondary thead th{border-color:#b3b7bb}.table-hover .table-secondary:hover,.table-hover .table-secondary:hover>td,.table-hover .table-secondary:hover>th{background-color:#c8cbcf}.table-success,.table-success>td,.table-success>th{background-color:#c3e6cb}.table-success tbody+tbody,.table-success td,.table-success th,.table-success thead th{border-color:#8fd19e}.table-hover .table-success:hover,.table-hover .table-success:hover>td,.table-hover .table-success:hover>th{background-color:#b1dfbb}.table-info,.table-info>td,.table-info>th{background-color:#bee5eb}.table-info tbody+tbody,.table-info td,.table-info th,.table-info thead th{border-color:#86cfda}.table-hover .table-info:hover,.table-hover .table-info:hover>td,.table-hover .table-info:hover>th{background-color:#abdde5}.table-warning,.table-warning>td,.table-warning>th{background-color:#ffeeba}.table-warning tbody+tbody,.table-warning td,.table-warning th,.table-warning thead th{border-color:#ffdf7e}.table-hover .table-warning:hover,.table-hover .table-warning:hover>td,.table-hover .table-warning:hover>th{background-color:#ffe8a1}.table-danger,.table-danger>td,.table-danger>th{background-color:#f5c6cb}.table-danger tbody+tbody,.table-danger td,.table-danger th,.table-danger thead th{border-color:#ed969e}.table-hover .table-danger:hover,.table-hover .table-danger:hover>td,.table-hover .table-danger:hover>th{background-color:#f1b0b7}.table-light,.table-light>td,.table-light>th{background-color:#fdfdfe}.table-light tbody+tbody,.table-light td,.table-light th,.table-light thead th{border-color:#fbfcfc}.table-hover .table-light:hover,.table-hover .table-light:hover>td,.table-hover .table-light:hover>th{background-color:#ececf6}.table-dark,.table-dark>td,.table-dark>th{background-color:#c6c8ca}.table-dark tbody+tbody,.table-dark td,.table-dark th,.table-dark thead th{border-color:#95999c}.table-hover .table-dark:hover,.table-hover .table-dark:hover>td,.table-hover .table-dark:hover>th{background-color:#b9bbbe}.table-active,.table-active>td,.table-active>th,.table-hover .table-active:hover,.table-hover .table-active:hover>td,.table-hover .table-active:hover>th{background-color:rgba(0,0,0,.075)}.table .thead-dark th{background-color:#343a40;border-color:#454d55;color:#fff}.table .thead-light th{background-color:#e9ecef;border-color:#dee2e6;color:#495057}.table-dark{background-color:#343a40;color:#fff}.table-dark td,.table-dark th,.table-dark thead th{border-color:#454d55}.table-dark.table-bordered{border:0}.table-dark.table-striped tbody tr:nth-of-type(odd){background-color:hsla(0,0%,100%,.05)}.table-dark.table-hover tbody tr:hover{background-color:hsla(0,0%,100%,.075);color:#fff}@media (max-width:575.98px){.table-responsive-sm{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-sm>.table-bordered{border:0}}@media (max-width:767.98px){.table-responsive-md{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-md>.table-bordered{border:0}}@media (max-width:991.98px){.table-responsive-lg{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-lg>.table-bordered{border:0}}@media (max-width:1199.98px){.table-responsive-xl{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-xl>.table-bordered{border:0}}.table-responsive{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive>.table-bordered{border:0}.form-control{background-clip:padding-box;background-color:#fff;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:block;font-size:1rem;font-weight:400;height:calc(1.5em + .75rem + 2px);line-height:1.5;padding:.375rem .75rem;transition:border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:100%}@media (prefers-reduced-motion:reduce){.form-control{transition:none}}.form-control::-ms-expand{background-color:transparent;border:0}.form-control:focus{background-color:#fff;border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25);color:#495057;outline:0}.form-control::-moz-placeholder{color:#6c757d;opacity:1}.form-control::placeholder{color:#6c757d;opacity:1}.form-control:disabled,.form-control[readonly]{background-color:#e9ecef;opacity:1}input[type=date].form-control,input[type=datetime-local].form-control,input[type=month].form-control,input[type=time].form-control{-webkit-appearance:none;-moz-appearance:none;appearance:none}select.form-control:-moz-focusring{color:transparent;text-shadow:0 0 0 #495057}select.form-control:focus::-ms-value{background-color:#fff;color:#495057}.form-control-file,.form-control-range{display:block;width:100%}.col-form-label{font-size:inherit;line-height:1.5;margin-bottom:0;padding-bottom:calc(.375rem + 1px);padding-top:calc(.375rem + 1px)}.col-form-label-lg{font-size:1.25rem;line-height:1.5;padding-bottom:calc(.5rem + 1px);padding-top:calc(.5rem + 1px)}.col-form-label-sm{font-size:.875rem;line-height:1.5;padding-bottom:calc(.25rem + 1px);padding-top:calc(.25rem + 1px)}.form-control-plaintext{background-color:transparent;border:solid transparent;border-width:1px 0;color:#212529;display:block;font-size:1rem;line-height:1.5;margin-bottom:0;padding:.375rem 0;width:100%}.form-control-plaintext.form-control-lg,.form-control-plaintext.form-control-sm{padding-left:0;padding-right:0}.form-control-sm{border-radius:.2rem;font-size:.875rem;height:calc(1.5em + .5rem + 2px);line-height:1.5;padding:.25rem .5rem}.form-control-lg{border-radius:.3rem;font-size:1.25rem;height:calc(1.5em + 1rem + 2px);line-height:1.5;padding:.5rem 1rem}select.form-control[multiple],select.form-control[size],textarea.form-control{height:auto}.form-group{margin-bottom:1rem}.form-text{display:block;margin-top:.25rem}.form-row{display:flex;flex-wrap:wrap;margin-left:-5px;margin-right:-5px}.form-row>.col,.form-row>[class*=col-]{padding-left:5px;padding-right:5px}.form-check{display:block;padding-left:1.25rem;position:relative}.form-check-input{margin-left:-1.25rem;margin-top:.3rem;position:absolute}.form-check-input:disabled~.form-check-label,.form-check-input[disabled]~.form-check-label{color:#6c757d}.form-check-label{margin-bottom:0}.form-check-inline{align-items:center;display:inline-flex;margin-right:.75rem;padding-left:0}.form-check-inline .form-check-input{margin-left:0;margin-right:.3125rem;margin-top:0;position:static}.valid-feedback{color:#28a745;display:none;font-size:.875em;margin-top:.25rem;width:100%}.valid-tooltip{background-color:rgba(40,167,69,.9);border-radius:.25rem;color:#fff;display:none;font-size:.875rem;left:0;line-height:1.5;margin-top:.1rem;max-width:100%;padding:.25rem .5rem;position:absolute;top:100%;z-index:5}.form-row>.col>.valid-tooltip,.form-row>[class*=col-]>.valid-tooltip{left:5px}.is-valid~.valid-feedback,.is-valid~.valid-tooltip,.was-validated :valid~.valid-feedback,.was-validated :valid~.valid-tooltip{display:block}.form-control.is-valid,.was-validated .form-control:valid{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%2328a745' d='M2.3 6.73.6 4.53c-.4-1.04.46-1.4 1.1-.8l1.1 1.4 3.4-3.8c.6-.63 1.6-.27 1.2.7l-4 4.6c-.43.5-.8.4-1.1.1z'/%3E%3C/svg%3E\");background-position:right calc(.375em + .1875rem) center;background-repeat:no-repeat;background-size:calc(.75em + .375rem) calc(.75em + .375rem);border-color:#28a745;padding-right:calc(1.5em + .75rem)!important}.form-control.is-valid:focus,.was-validated .form-control:valid:focus{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.was-validated select.form-control:valid,select.form-control.is-valid{background-position:right 1.5rem center;padding-right:3rem!important}.was-validated textarea.form-control:valid,textarea.form-control.is-valid{background-position:top calc(.375em + .1875rem) right calc(.375em + .1875rem);padding-right:calc(1.5em + .75rem)}.custom-select.is-valid,.was-validated .custom-select:valid{background:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat,#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%2328a745' d='M2.3 6.73.6 4.53c-.4-1.04.46-1.4 1.1-.8l1.1 1.4 3.4-3.8c.6-.63 1.6-.27 1.2.7l-4 4.6c-.43.5-.8.4-1.1.1z'/%3E%3C/svg%3E\") center right 1.75rem/calc(.75em + .375rem) calc(.75em + .375rem) no-repeat;border-color:#28a745;padding-right:calc(.75em + 2.3125rem)!important}.custom-select.is-valid:focus,.was-validated .custom-select:valid:focus{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.form-check-input.is-valid~.form-check-label,.was-validated .form-check-input:valid~.form-check-label{color:#28a745}.form-check-input.is-valid~.valid-feedback,.form-check-input.is-valid~.valid-tooltip,.was-validated .form-check-input:valid~.valid-feedback,.was-validated .form-check-input:valid~.valid-tooltip{display:block}.custom-control-input.is-valid~.custom-control-label,.was-validated .custom-control-input:valid~.custom-control-label{color:#28a745}.custom-control-input.is-valid~.custom-control-label:before,.was-validated .custom-control-input:valid~.custom-control-label:before{border-color:#28a745}.custom-control-input.is-valid:checked~.custom-control-label:before,.was-validated .custom-control-input:valid:checked~.custom-control-label:before{background-color:#34ce57;border-color:#34ce57}.custom-control-input.is-valid:focus~.custom-control-label:before,.was-validated .custom-control-input:valid:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.custom-control-input.is-valid:focus:not(:checked)~.custom-control-label:before,.was-validated .custom-control-input:valid:focus:not(:checked)~.custom-control-label:before{border-color:#28a745}.custom-file-input.is-valid~.custom-file-label,.was-validated .custom-file-input:valid~.custom-file-label{border-color:#28a745}.custom-file-input.is-valid:focus~.custom-file-label,.was-validated .custom-file-input:valid:focus~.custom-file-label{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.invalid-feedback{color:#dc3545;display:none;font-size:.875em;margin-top:.25rem;width:100%}.invalid-tooltip{background-color:rgba(220,53,69,.9);border-radius:.25rem;color:#fff;display:none;font-size:.875rem;left:0;line-height:1.5;margin-top:.1rem;max-width:100%;padding:.25rem .5rem;position:absolute;top:100%;z-index:5}.form-row>.col>.invalid-tooltip,.form-row>[class*=col-]>.invalid-tooltip{left:5px}.is-invalid~.invalid-feedback,.is-invalid~.invalid-tooltip,.was-validated :invalid~.invalid-feedback,.was-validated :invalid~.invalid-tooltip{display:block}.form-control.is-invalid,.was-validated .form-control:invalid{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' fill='none' stroke='%23dc3545'%3E%3Ccircle cx='6' cy='6' r='4.5'/%3E%3Cpath stroke-linejoin='round' d='M5.8 3.6h.4L6 6.5z'/%3E%3Ccircle cx='6' cy='8.2' r='.6' fill='%23dc3545' stroke='none'/%3E%3C/svg%3E\");background-position:right calc(.375em + .1875rem) center;background-repeat:no-repeat;background-size:calc(.75em + .375rem) calc(.75em + .375rem);border-color:#dc3545;padding-right:calc(1.5em + .75rem)!important}.form-control.is-invalid:focus,.was-validated .form-control:invalid:focus{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.was-validated select.form-control:invalid,select.form-control.is-invalid{background-position:right 1.5rem center;padding-right:3rem!important}.was-validated textarea.form-control:invalid,textarea.form-control.is-invalid{background-position:top calc(.375em + .1875rem) right calc(.375em + .1875rem);padding-right:calc(1.5em + .75rem)}.custom-select.is-invalid,.was-validated .custom-select:invalid{background:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat,#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' fill='none' stroke='%23dc3545'%3E%3Ccircle cx='6' cy='6' r='4.5'/%3E%3Cpath stroke-linejoin='round' d='M5.8 3.6h.4L6 6.5z'/%3E%3Ccircle cx='6' cy='8.2' r='.6' fill='%23dc3545' stroke='none'/%3E%3C/svg%3E\") center right 1.75rem/calc(.75em + .375rem) calc(.75em + .375rem) no-repeat;border-color:#dc3545;padding-right:calc(.75em + 2.3125rem)!important}.custom-select.is-invalid:focus,.was-validated .custom-select:invalid:focus{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.form-check-input.is-invalid~.form-check-label,.was-validated .form-check-input:invalid~.form-check-label{color:#dc3545}.form-check-input.is-invalid~.invalid-feedback,.form-check-input.is-invalid~.invalid-tooltip,.was-validated .form-check-input:invalid~.invalid-feedback,.was-validated .form-check-input:invalid~.invalid-tooltip{display:block}.custom-control-input.is-invalid~.custom-control-label,.was-validated .custom-control-input:invalid~.custom-control-label{color:#dc3545}.custom-control-input.is-invalid~.custom-control-label:before,.was-validated .custom-control-input:invalid~.custom-control-label:before{border-color:#dc3545}.custom-control-input.is-invalid:checked~.custom-control-label:before,.was-validated .custom-control-input:invalid:checked~.custom-control-label:before{background-color:#e4606d;border-color:#e4606d}.custom-control-input.is-invalid:focus~.custom-control-label:before,.was-validated .custom-control-input:invalid:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.custom-control-input.is-invalid:focus:not(:checked)~.custom-control-label:before,.was-validated .custom-control-input:invalid:focus:not(:checked)~.custom-control-label:before{border-color:#dc3545}.custom-file-input.is-invalid~.custom-file-label,.was-validated .custom-file-input:invalid~.custom-file-label{border-color:#dc3545}.custom-file-input.is-invalid:focus~.custom-file-label,.was-validated .custom-file-input:invalid:focus~.custom-file-label{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.form-inline{align-items:center;display:flex;flex-flow:row wrap}.form-inline .form-check{width:100%}@media (min-width:576px){.form-inline label{justify-content:center}.form-inline .form-group,.form-inline label{align-items:center;display:flex;margin-bottom:0}.form-inline .form-group{flex:0 0 auto;flex-flow:row wrap}.form-inline .form-control{display:inline-block;vertical-align:middle;width:auto}.form-inline .form-control-plaintext{display:inline-block}.form-inline .custom-select,.form-inline .input-group{width:auto}.form-inline .form-check{align-items:center;display:flex;justify-content:center;padding-left:0;width:auto}.form-inline .form-check-input{flex-shrink:0;margin-left:0;margin-right:.25rem;margin-top:0;position:relative}.form-inline .custom-control{align-items:center;justify-content:center}.form-inline .custom-control-label{margin-bottom:0}}.btn,.remote-auth-getting-started .other-server-btn,.remote-auth-getting-started .server-btn{background-color:transparent;border:1px solid transparent;border-radius:.25rem;color:#212529;display:inline-block;font-size:1rem;font-weight:400;line-height:1.5;padding:.375rem .75rem;text-align:center;transition:color .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;-webkit-user-select:none;-moz-user-select:none;user-select:none;vertical-align:middle}@media (prefers-reduced-motion:reduce){.btn,.remote-auth-getting-started .other-server-btn,.remote-auth-getting-started .server-btn{transition:none}}.btn:hover,.remote-auth-getting-started .other-server-btn:hover,.remote-auth-getting-started .server-btn:hover{color:#212529;text-decoration:none}.btn.focus,.btn:focus,.remote-auth-getting-started .focus.other-server-btn,.remote-auth-getting-started .focus.server-btn,.remote-auth-getting-started .other-server-btn:focus,.remote-auth-getting-started .server-btn:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0}.btn.disabled,.btn:disabled,.remote-auth-getting-started .disabled.other-server-btn,.remote-auth-getting-started .disabled.server-btn,.remote-auth-getting-started .other-server-btn:disabled,.remote-auth-getting-started .server-btn:disabled{opacity:.65}.btn:not(:disabled):not(.disabled),.remote-auth-getting-started .other-server-btn:not(:disabled):not(.disabled),.remote-auth-getting-started .server-btn:not(:disabled):not(.disabled){cursor:pointer}.remote-auth-getting-started a.disabled.other-server-btn,.remote-auth-getting-started a.disabled.server-btn,.remote-auth-getting-started fieldset:disabled a.other-server-btn,.remote-auth-getting-started fieldset:disabled a.server-btn,a.btn.disabled,fieldset:disabled .remote-auth-getting-started a.other-server-btn,fieldset:disabled .remote-auth-getting-started a.server-btn,fieldset:disabled a.btn{pointer-events:none}.btn-primary,.remote-auth-getting-started .server-btn{background-color:#007bff;border-color:#007bff;color:#fff}.btn-primary:hover,.remote-auth-getting-started .server-btn:hover{background-color:#0069d9;border-color:#0062cc;color:#fff}.btn-primary.focus,.btn-primary:focus,.remote-auth-getting-started .focus.server-btn,.remote-auth-getting-started .server-btn:focus{background-color:#0069d9;border-color:#0062cc;box-shadow:0 0 0 .2rem rgba(38,143,255,.5);color:#fff}.btn-primary.disabled,.btn-primary:disabled,.remote-auth-getting-started .disabled.server-btn,.remote-auth-getting-started .server-btn:disabled{background-color:#007bff;border-color:#007bff;color:#fff}.btn-primary:not(:disabled):not(.disabled).active,.btn-primary:not(:disabled):not(.disabled):active,.remote-auth-getting-started .server-btn:not(:disabled):not(.disabled).active,.remote-auth-getting-started .server-btn:not(:disabled):not(.disabled):active,.remote-auth-getting-started .show>.dropdown-toggle.server-btn,.show>.btn-primary.dropdown-toggle{background-color:#0062cc;border-color:#005cbf;color:#fff}.btn-primary:not(:disabled):not(.disabled).active:focus,.btn-primary:not(:disabled):not(.disabled):active:focus,.remote-auth-getting-started .server-btn:not(:disabled):not(.disabled).active:focus,.remote-auth-getting-started .server-btn:not(:disabled):not(.disabled):active:focus,.remote-auth-getting-started .show>.dropdown-toggle.server-btn:focus,.show>.btn-primary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(38,143,255,.5)}.btn-secondary{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-secondary.focus,.btn-secondary:focus,.btn-secondary:hover{background-color:#5a6268;border-color:#545b62;color:#fff}.btn-secondary.focus,.btn-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,6%,54%,.5)}.btn-secondary.disabled,.btn-secondary:disabled{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-secondary:not(:disabled):not(.disabled).active,.btn-secondary:not(:disabled):not(.disabled):active,.show>.btn-secondary.dropdown-toggle{background-color:#545b62;border-color:#4e555b;color:#fff}.btn-secondary:not(:disabled):not(.disabled).active:focus,.btn-secondary:not(:disabled):not(.disabled):active:focus,.show>.btn-secondary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(208,6%,54%,.5)}.btn-success{background-color:#28a745;border-color:#28a745;color:#fff}.btn-success.focus,.btn-success:focus,.btn-success:hover{background-color:#218838;border-color:#1e7e34;color:#fff}.btn-success.focus,.btn-success:focus{box-shadow:0 0 0 .2rem rgba(72,180,97,.5)}.btn-success.disabled,.btn-success:disabled{background-color:#28a745;border-color:#28a745;color:#fff}.btn-success:not(:disabled):not(.disabled).active,.btn-success:not(:disabled):not(.disabled):active,.show>.btn-success.dropdown-toggle{background-color:#1e7e34;border-color:#1c7430;color:#fff}.btn-success:not(:disabled):not(.disabled).active:focus,.btn-success:not(:disabled):not(.disabled):active:focus,.show>.btn-success.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(72,180,97,.5)}.btn-info{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-info.focus,.btn-info:focus,.btn-info:hover{background-color:#138496;border-color:#117a8b;color:#fff}.btn-info.focus,.btn-info:focus{box-shadow:0 0 0 .2rem rgba(58,176,195,.5)}.btn-info.disabled,.btn-info:disabled{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-info:not(:disabled):not(.disabled).active,.btn-info:not(:disabled):not(.disabled):active,.show>.btn-info.dropdown-toggle{background-color:#117a8b;border-color:#10707f;color:#fff}.btn-info:not(:disabled):not(.disabled).active:focus,.btn-info:not(:disabled):not(.disabled):active:focus,.show>.btn-info.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(58,176,195,.5)}.btn-warning{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-warning.focus,.btn-warning:focus,.btn-warning:hover{background-color:#e0a800;border-color:#d39e00;color:#212529}.btn-warning.focus,.btn-warning:focus{box-shadow:0 0 0 .2rem rgba(222,170,12,.5)}.btn-warning.disabled,.btn-warning:disabled{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-warning:not(:disabled):not(.disabled).active,.btn-warning:not(:disabled):not(.disabled):active,.show>.btn-warning.dropdown-toggle{background-color:#d39e00;border-color:#c69500;color:#212529}.btn-warning:not(:disabled):not(.disabled).active:focus,.btn-warning:not(:disabled):not(.disabled):active:focus,.show>.btn-warning.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(222,170,12,.5)}.btn-danger{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-danger.focus,.btn-danger:focus,.btn-danger:hover{background-color:#c82333;border-color:#bd2130;color:#fff}.btn-danger.focus,.btn-danger:focus{box-shadow:0 0 0 .2rem rgba(225,83,97,.5)}.btn-danger.disabled,.btn-danger:disabled{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-danger:not(:disabled):not(.disabled).active,.btn-danger:not(:disabled):not(.disabled):active,.show>.btn-danger.dropdown-toggle{background-color:#bd2130;border-color:#b21f2d;color:#fff}.btn-danger:not(:disabled):not(.disabled).active:focus,.btn-danger:not(:disabled):not(.disabled):active:focus,.show>.btn-danger.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(225,83,97,.5)}.btn-light{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-light.focus,.btn-light:focus,.btn-light:hover{background-color:#e2e6ea;border-color:#dae0e5;color:#212529}.btn-light.focus,.btn-light:focus{box-shadow:0 0 0 .2rem hsla(220,4%,85%,.5)}.btn-light.disabled,.btn-light:disabled{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-light:not(:disabled):not(.disabled).active,.btn-light:not(:disabled):not(.disabled):active,.show>.btn-light.dropdown-toggle{background-color:#dae0e5;border-color:#d3d9df;color:#212529}.btn-light:not(:disabled):not(.disabled).active:focus,.btn-light:not(:disabled):not(.disabled):active:focus,.show>.btn-light.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(220,4%,85%,.5)}.btn-dark,.remote-auth-getting-started .other-server-btn{background-color:#343a40;border-color:#343a40;color:#fff}.btn-dark:hover,.remote-auth-getting-started .other-server-btn:hover{background-color:#23272b;border-color:#1d2124;color:#fff}.btn-dark.focus,.btn-dark:focus,.remote-auth-getting-started .focus.other-server-btn,.remote-auth-getting-started .other-server-btn:focus{background-color:#23272b;border-color:#1d2124;box-shadow:0 0 0 .2rem rgba(82,88,93,.5);color:#fff}.btn-dark.disabled,.btn-dark:disabled,.remote-auth-getting-started .disabled.other-server-btn,.remote-auth-getting-started .other-server-btn:disabled{background-color:#343a40;border-color:#343a40;color:#fff}.btn-dark:not(:disabled):not(.disabled).active,.btn-dark:not(:disabled):not(.disabled):active,.remote-auth-getting-started .other-server-btn:not(:disabled):not(.disabled).active,.remote-auth-getting-started .other-server-btn:not(:disabled):not(.disabled):active,.remote-auth-getting-started .show>.dropdown-toggle.other-server-btn,.show>.btn-dark.dropdown-toggle{background-color:#1d2124;border-color:#171a1d;color:#fff}.btn-dark:not(:disabled):not(.disabled).active:focus,.btn-dark:not(:disabled):not(.disabled):active:focus,.remote-auth-getting-started .other-server-btn:not(:disabled):not(.disabled).active:focus,.remote-auth-getting-started .other-server-btn:not(:disabled):not(.disabled):active:focus,.remote-auth-getting-started .show>.dropdown-toggle.other-server-btn:focus,.show>.btn-dark.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(82,88,93,.5)}.btn-outline-primary{border-color:#007bff;color:#007bff}.btn-outline-primary:hover{background-color:#007bff;border-color:#007bff;color:#fff}.btn-outline-primary.focus,.btn-outline-primary:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5)}.btn-outline-primary.disabled,.btn-outline-primary:disabled{background-color:transparent;color:#007bff}.btn-outline-primary:not(:disabled):not(.disabled).active,.btn-outline-primary:not(:disabled):not(.disabled):active,.show>.btn-outline-primary.dropdown-toggle{background-color:#007bff;border-color:#007bff;color:#fff}.btn-outline-primary:not(:disabled):not(.disabled).active:focus,.btn-outline-primary:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-primary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5)}.btn-outline-secondary{border-color:#6c757d;color:#6c757d}.btn-outline-secondary:hover{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-outline-secondary.focus,.btn-outline-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5)}.btn-outline-secondary.disabled,.btn-outline-secondary:disabled{background-color:transparent;color:#6c757d}.btn-outline-secondary:not(:disabled):not(.disabled).active,.btn-outline-secondary:not(:disabled):not(.disabled):active,.show>.btn-outline-secondary.dropdown-toggle{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-outline-secondary:not(:disabled):not(.disabled).active:focus,.btn-outline-secondary:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-secondary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5)}.btn-outline-success{border-color:#28a745;color:#28a745}.btn-outline-success:hover{background-color:#28a745;border-color:#28a745;color:#fff}.btn-outline-success.focus,.btn-outline-success:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5)}.btn-outline-success.disabled,.btn-outline-success:disabled{background-color:transparent;color:#28a745}.btn-outline-success:not(:disabled):not(.disabled).active,.btn-outline-success:not(:disabled):not(.disabled):active,.show>.btn-outline-success.dropdown-toggle{background-color:#28a745;border-color:#28a745;color:#fff}.btn-outline-success:not(:disabled):not(.disabled).active:focus,.btn-outline-success:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-success.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5)}.btn-outline-info{border-color:#17a2b8;color:#17a2b8}.btn-outline-info:hover{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-outline-info.focus,.btn-outline-info:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5)}.btn-outline-info.disabled,.btn-outline-info:disabled{background-color:transparent;color:#17a2b8}.btn-outline-info:not(:disabled):not(.disabled).active,.btn-outline-info:not(:disabled):not(.disabled):active,.show>.btn-outline-info.dropdown-toggle{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-outline-info:not(:disabled):not(.disabled).active:focus,.btn-outline-info:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-info.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5)}.btn-outline-warning{border-color:#ffc107;color:#ffc107}.btn-outline-warning:hover{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-outline-warning.focus,.btn-outline-warning:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5)}.btn-outline-warning.disabled,.btn-outline-warning:disabled{background-color:transparent;color:#ffc107}.btn-outline-warning:not(:disabled):not(.disabled).active,.btn-outline-warning:not(:disabled):not(.disabled):active,.show>.btn-outline-warning.dropdown-toggle{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-outline-warning:not(:disabled):not(.disabled).active:focus,.btn-outline-warning:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-warning.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5)}.btn-outline-danger{border-color:#dc3545;color:#dc3545}.btn-outline-danger:hover{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-outline-danger.focus,.btn-outline-danger:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5)}.btn-outline-danger.disabled,.btn-outline-danger:disabled{background-color:transparent;color:#dc3545}.btn-outline-danger:not(:disabled):not(.disabled).active,.btn-outline-danger:not(:disabled):not(.disabled):active,.show>.btn-outline-danger.dropdown-toggle{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-outline-danger:not(:disabled):not(.disabled).active:focus,.btn-outline-danger:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-danger.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5)}.btn-outline-light{border-color:#f8f9fa;color:#f8f9fa}.btn-outline-light:hover{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-outline-light.focus,.btn-outline-light:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5)}.btn-outline-light.disabled,.btn-outline-light:disabled{background-color:transparent;color:#f8f9fa}.btn-outline-light:not(:disabled):not(.disabled).active,.btn-outline-light:not(:disabled):not(.disabled):active,.show>.btn-outline-light.dropdown-toggle{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-outline-light:not(:disabled):not(.disabled).active:focus,.btn-outline-light:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-light.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5)}.btn-outline-dark{border-color:#343a40;color:#343a40}.btn-outline-dark:hover{background-color:#343a40;border-color:#343a40;color:#fff}.btn-outline-dark.focus,.btn-outline-dark:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5)}.btn-outline-dark.disabled,.btn-outline-dark:disabled{background-color:transparent;color:#343a40}.btn-outline-dark:not(:disabled):not(.disabled).active,.btn-outline-dark:not(:disabled):not(.disabled):active,.show>.btn-outline-dark.dropdown-toggle{background-color:#343a40;border-color:#343a40;color:#fff}.btn-outline-dark:not(:disabled):not(.disabled).active:focus,.btn-outline-dark:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-dark.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5)}.btn-link{color:#007bff;font-weight:400;text-decoration:none}.btn-link:hover{color:#0056b3}.btn-link.focus,.btn-link:focus,.btn-link:hover{text-decoration:underline}.btn-link.disabled,.btn-link:disabled{color:#6c757d;pointer-events:none}.btn-group-lg>.btn,.btn-lg,.remote-auth-getting-started .btn-group-lg>.other-server-btn,.remote-auth-getting-started .btn-group-lg>.server-btn{border-radius:.3rem;font-size:1.25rem;line-height:1.5;padding:.5rem 1rem}.btn-group-sm>.btn,.btn-sm,.remote-auth-getting-started .btn-group-sm>.other-server-btn,.remote-auth-getting-started .btn-group-sm>.server-btn{border-radius:.2rem;font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.btn-block,.remote-auth-getting-started .other-server-btn,.remote-auth-getting-started .server-btn{display:block;width:100%}.btn-block+.btn-block,.remote-auth-getting-started .btn-block+.other-server-btn,.remote-auth-getting-started .btn-block+.server-btn,.remote-auth-getting-started .other-server-btn+.btn-block,.remote-auth-getting-started .other-server-btn+.other-server-btn,.remote-auth-getting-started .other-server-btn+.server-btn,.remote-auth-getting-started .server-btn+.btn-block,.remote-auth-getting-started .server-btn+.other-server-btn,.remote-auth-getting-started .server-btn+.server-btn{margin-top:.5rem}.remote-auth-getting-started input[type=button].other-server-btn,.remote-auth-getting-started input[type=button].server-btn,.remote-auth-getting-started input[type=reset].other-server-btn,.remote-auth-getting-started input[type=reset].server-btn,.remote-auth-getting-started input[type=submit].other-server-btn,.remote-auth-getting-started input[type=submit].server-btn,input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%}.fade{transition:opacity .15s linear}@media (prefers-reduced-motion:reduce){.fade{transition:none}}.fade:not(.show){opacity:0}.collapse:not(.show){display:none}.collapsing{height:0;overflow:hidden;position:relative;transition:height .35s ease}@media (prefers-reduced-motion:reduce){.collapsing{transition:none}}.collapsing.width{height:auto;transition:width .35s ease;width:0}@media (prefers-reduced-motion:reduce){.collapsing.width{transition:none}}.dropdown,.dropleft,.dropright,.dropup{position:relative}.dropdown-toggle{white-space:nowrap}.dropdown-toggle:after{border-bottom:0;border-left:.3em solid transparent;border-right:.3em solid transparent;border-top:.3em solid;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropdown-toggle:empty:after{margin-left:0}.dropdown-menu{background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.15);border-radius:.25rem;color:#212529;display:none;float:left;font-size:1rem;left:0;list-style:none;margin:.125rem 0 0;min-width:10rem;padding:.5rem 0;position:absolute;text-align:left;top:100%;z-index:1000}.dropdown-menu-left{left:0;right:auto}.dropdown-menu-right{left:auto;right:0}@media (min-width:576px){.dropdown-menu-sm-left{left:0;right:auto}.dropdown-menu-sm-right{left:auto;right:0}}@media (min-width:768px){.dropdown-menu-md-left{left:0;right:auto}.dropdown-menu-md-right{left:auto;right:0}}@media (min-width:992px){.dropdown-menu-lg-left{left:0;right:auto}.dropdown-menu-lg-right{left:auto;right:0}}@media (min-width:1200px){.dropdown-menu-xl-left{left:0;right:auto}.dropdown-menu-xl-right{left:auto;right:0}}.dropup .dropdown-menu{bottom:100%;margin-bottom:.125rem;margin-top:0;top:auto}.dropup .dropdown-toggle:after{border-bottom:.3em solid;border-left:.3em solid transparent;border-right:.3em solid transparent;border-top:0;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropup .dropdown-toggle:empty:after{margin-left:0}.dropright .dropdown-menu{left:100%;margin-left:.125rem;margin-top:0;right:auto;top:0}.dropright .dropdown-toggle:after{border-bottom:.3em solid transparent;border-left:.3em solid;border-right:0;border-top:.3em solid transparent;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropright .dropdown-toggle:empty:after{margin-left:0}.dropright .dropdown-toggle:after{vertical-align:0}.dropleft .dropdown-menu{left:auto;margin-right:.125rem;margin-top:0;right:100%;top:0}.dropleft .dropdown-toggle:after{content:\"\";display:inline-block;display:none;margin-left:.255em;vertical-align:.255em}.dropleft .dropdown-toggle:before{border-bottom:.3em solid transparent;border-right:.3em solid;border-top:.3em solid transparent;content:\"\";display:inline-block;margin-right:.255em;vertical-align:.255em}.dropleft .dropdown-toggle:empty:after{margin-left:0}.dropleft .dropdown-toggle:before{vertical-align:0}.dropdown-menu[x-placement^=bottom],.dropdown-menu[x-placement^=left],.dropdown-menu[x-placement^=right],.dropdown-menu[x-placement^=top]{bottom:auto;right:auto}.dropdown-divider{border-top:1px solid #e9ecef;height:0;margin:.5rem 0;overflow:hidden}.dropdown-item{background-color:transparent;border:0;clear:both;color:#212529;display:block;font-weight:400;padding:.25rem 1.5rem;text-align:inherit;white-space:nowrap;width:100%}.dropdown-item:focus,.dropdown-item:hover{background-color:#e9ecef;color:#16181b;text-decoration:none}.dropdown-item.active,.dropdown-item:active{background-color:#007bff;color:#fff;text-decoration:none}.dropdown-item.disabled,.dropdown-item:disabled{background-color:transparent;color:#adb5bd;pointer-events:none}.dropdown-menu.show{display:block}.dropdown-header{color:#6c757d;display:block;font-size:.875rem;margin-bottom:0;padding:.5rem 1.5rem;white-space:nowrap}.dropdown-item-text{color:#212529;display:block;padding:.25rem 1.5rem}.btn-group,.btn-group-vertical{display:inline-flex;position:relative;vertical-align:middle}.btn-group-vertical>.btn,.btn-group>.btn,.remote-auth-getting-started .btn-group-vertical>.other-server-btn,.remote-auth-getting-started .btn-group-vertical>.server-btn,.remote-auth-getting-started .btn-group>.other-server-btn,.remote-auth-getting-started .btn-group>.server-btn{flex:1 1 auto;position:relative}.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover,.remote-auth-getting-started .btn-group-vertical>.active.other-server-btn,.remote-auth-getting-started .btn-group-vertical>.active.server-btn,.remote-auth-getting-started .btn-group-vertical>.other-server-btn:active,.remote-auth-getting-started .btn-group-vertical>.other-server-btn:focus,.remote-auth-getting-started .btn-group-vertical>.other-server-btn:hover,.remote-auth-getting-started .btn-group-vertical>.server-btn:active,.remote-auth-getting-started .btn-group-vertical>.server-btn:focus,.remote-auth-getting-started .btn-group-vertical>.server-btn:hover,.remote-auth-getting-started .btn-group>.active.other-server-btn,.remote-auth-getting-started .btn-group>.active.server-btn,.remote-auth-getting-started .btn-group>.other-server-btn:active,.remote-auth-getting-started .btn-group>.other-server-btn:focus,.remote-auth-getting-started .btn-group>.other-server-btn:hover,.remote-auth-getting-started .btn-group>.server-btn:active,.remote-auth-getting-started .btn-group>.server-btn:focus,.remote-auth-getting-started .btn-group>.server-btn:hover{z-index:1}.btn-toolbar{display:flex;flex-wrap:wrap;justify-content:flex-start}.btn-toolbar .input-group{width:auto}.btn-group>.btn-group:not(:first-child),.btn-group>.btn:not(:first-child),.remote-auth-getting-started .btn-group>.other-server-btn:not(:first-child),.remote-auth-getting-started .btn-group>.server-btn:not(:first-child){margin-left:-1px}.btn-group>.btn-group:not(:last-child)>.btn,.btn-group>.btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .btn-group>.btn-group:not(:last-child)>.other-server-btn,.remote-auth-getting-started .btn-group>.btn-group:not(:last-child)>.server-btn,.remote-auth-getting-started .btn-group>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .btn-group>.server-btn:not(:last-child):not(.dropdown-toggle){border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn-group:not(:first-child)>.btn,.btn-group>.btn:not(:first-child),.remote-auth-getting-started .btn-group>.btn-group:not(:first-child)>.other-server-btn,.remote-auth-getting-started .btn-group>.btn-group:not(:first-child)>.server-btn,.remote-auth-getting-started .btn-group>.other-server-btn:not(:first-child),.remote-auth-getting-started .btn-group>.server-btn:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.dropdown-toggle-split{padding-left:.5625rem;padding-right:.5625rem}.dropdown-toggle-split:after,.dropright .dropdown-toggle-split:after,.dropup .dropdown-toggle-split:after{margin-left:0}.dropleft .dropdown-toggle-split:before{margin-right:0}.btn-group-sm>.btn+.dropdown-toggle-split,.btn-sm+.dropdown-toggle-split,.remote-auth-getting-started .btn-group-sm>.other-server-btn+.dropdown-toggle-split,.remote-auth-getting-started .btn-group-sm>.server-btn+.dropdown-toggle-split{padding-left:.375rem;padding-right:.375rem}.btn-group-lg>.btn+.dropdown-toggle-split,.btn-lg+.dropdown-toggle-split,.remote-auth-getting-started .btn-group-lg>.other-server-btn+.dropdown-toggle-split,.remote-auth-getting-started .btn-group-lg>.server-btn+.dropdown-toggle-split{padding-left:.75rem;padding-right:.75rem}.btn-group-vertical{align-items:flex-start;flex-direction:column;justify-content:center}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.remote-auth-getting-started .btn-group-vertical>.other-server-btn,.remote-auth-getting-started .btn-group-vertical>.server-btn{width:100%}.btn-group-vertical>.btn-group:not(:first-child),.btn-group-vertical>.btn:not(:first-child),.remote-auth-getting-started .btn-group-vertical>.other-server-btn:not(:first-child),.remote-auth-getting-started .btn-group-vertical>.server-btn:not(:first-child){margin-top:-1px}.btn-group-vertical>.btn-group:not(:last-child)>.btn,.btn-group-vertical>.btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .btn-group-vertical>.btn-group:not(:last-child)>.other-server-btn,.remote-auth-getting-started .btn-group-vertical>.btn-group:not(:last-child)>.server-btn,.remote-auth-getting-started .btn-group-vertical>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .btn-group-vertical>.server-btn:not(:last-child):not(.dropdown-toggle){border-bottom-left-radius:0;border-bottom-right-radius:0}.btn-group-vertical>.btn-group:not(:first-child)>.btn,.btn-group-vertical>.btn:not(:first-child),.remote-auth-getting-started .btn-group-vertical>.btn-group:not(:first-child)>.other-server-btn,.remote-auth-getting-started .btn-group-vertical>.btn-group:not(:first-child)>.server-btn,.remote-auth-getting-started .btn-group-vertical>.other-server-btn:not(:first-child),.remote-auth-getting-started .btn-group-vertical>.server-btn:not(:first-child){border-top-left-radius:0;border-top-right-radius:0}.btn-group-toggle>.btn,.btn-group-toggle>.btn-group>.btn,.remote-auth-getting-started .btn-group-toggle>.btn-group>.other-server-btn,.remote-auth-getting-started .btn-group-toggle>.btn-group>.server-btn,.remote-auth-getting-started .btn-group-toggle>.other-server-btn,.remote-auth-getting-started .btn-group-toggle>.server-btn{margin-bottom:0}.btn-group-toggle>.btn input[type=checkbox],.btn-group-toggle>.btn input[type=radio],.btn-group-toggle>.btn-group>.btn input[type=checkbox],.btn-group-toggle>.btn-group>.btn input[type=radio],.remote-auth-getting-started .btn-group-toggle>.btn-group>.other-server-btn input[type=checkbox],.remote-auth-getting-started .btn-group-toggle>.btn-group>.other-server-btn input[type=radio],.remote-auth-getting-started .btn-group-toggle>.btn-group>.server-btn input[type=checkbox],.remote-auth-getting-started .btn-group-toggle>.btn-group>.server-btn input[type=radio],.remote-auth-getting-started .btn-group-toggle>.other-server-btn input[type=checkbox],.remote-auth-getting-started .btn-group-toggle>.other-server-btn input[type=radio],.remote-auth-getting-started .btn-group-toggle>.server-btn input[type=checkbox],.remote-auth-getting-started .btn-group-toggle>.server-btn input[type=radio]{clip:rect(0,0,0,0);pointer-events:none;position:absolute}.input-group{align-items:stretch;display:flex;flex-wrap:wrap;position:relative;width:100%}.input-group>.custom-file,.input-group>.custom-select,.input-group>.form-control,.input-group>.form-control-plaintext{flex:1 1 auto;margin-bottom:0;min-width:0;position:relative;width:1%}.input-group>.custom-file+.custom-file,.input-group>.custom-file+.custom-select,.input-group>.custom-file+.form-control,.input-group>.custom-select+.custom-file,.input-group>.custom-select+.custom-select,.input-group>.custom-select+.form-control,.input-group>.form-control+.custom-file,.input-group>.form-control+.custom-select,.input-group>.form-control+.form-control,.input-group>.form-control-plaintext+.custom-file,.input-group>.form-control-plaintext+.custom-select,.input-group>.form-control-plaintext+.form-control{margin-left:-1px}.input-group>.custom-file .custom-file-input:focus~.custom-file-label,.input-group>.custom-select:focus,.input-group>.form-control:focus{z-index:3}.input-group>.custom-file .custom-file-input:focus{z-index:4}.input-group>.custom-select:not(:first-child),.input-group>.form-control:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.input-group>.custom-file{align-items:center;display:flex}.input-group>.custom-file:not(:last-child) .custom-file-label,.input-group>.custom-file:not(:last-child) .custom-file-label:after{border-bottom-right-radius:0;border-top-right-radius:0}.input-group>.custom-file:not(:first-child) .custom-file-label{border-bottom-left-radius:0;border-top-left-radius:0}.input-group.has-validation>.custom-file:nth-last-child(n+3) .custom-file-label,.input-group.has-validation>.custom-file:nth-last-child(n+3) .custom-file-label:after,.input-group.has-validation>.custom-select:nth-last-child(n+3),.input-group.has-validation>.form-control:nth-last-child(n+3),.input-group:not(.has-validation)>.custom-file:not(:last-child) .custom-file-label,.input-group:not(.has-validation)>.custom-file:not(:last-child) .custom-file-label:after,.input-group:not(.has-validation)>.custom-select:not(:last-child),.input-group:not(.has-validation)>.form-control:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.input-group-append,.input-group-prepend{display:flex}.input-group-append .btn,.input-group-append .remote-auth-getting-started .other-server-btn,.input-group-append .remote-auth-getting-started .server-btn,.input-group-prepend .btn,.input-group-prepend .remote-auth-getting-started .other-server-btn,.input-group-prepend .remote-auth-getting-started .server-btn,.remote-auth-getting-started .input-group-append .other-server-btn,.remote-auth-getting-started .input-group-append .server-btn,.remote-auth-getting-started .input-group-prepend .other-server-btn,.remote-auth-getting-started .input-group-prepend .server-btn{position:relative;z-index:2}.input-group-append .btn:focus,.input-group-append .remote-auth-getting-started .other-server-btn:focus,.input-group-append .remote-auth-getting-started .server-btn:focus,.input-group-prepend .btn:focus,.input-group-prepend .remote-auth-getting-started .other-server-btn:focus,.input-group-prepend .remote-auth-getting-started .server-btn:focus,.remote-auth-getting-started .input-group-append .other-server-btn:focus,.remote-auth-getting-started .input-group-append .server-btn:focus,.remote-auth-getting-started .input-group-prepend .other-server-btn:focus,.remote-auth-getting-started .input-group-prepend .server-btn:focus{z-index:3}.input-group-append .btn+.btn,.input-group-append .btn+.input-group-text,.input-group-append .input-group-text+.btn,.input-group-append .input-group-text+.input-group-text,.input-group-append .remote-auth-getting-started .btn+.other-server-btn,.input-group-append .remote-auth-getting-started .btn+.server-btn,.input-group-append .remote-auth-getting-started .input-group-text+.other-server-btn,.input-group-append .remote-auth-getting-started .input-group-text+.server-btn,.input-group-append .remote-auth-getting-started .other-server-btn+.btn,.input-group-append .remote-auth-getting-started .other-server-btn+.input-group-text,.input-group-append .remote-auth-getting-started .other-server-btn+.other-server-btn,.input-group-append .remote-auth-getting-started .other-server-btn+.server-btn,.input-group-append .remote-auth-getting-started .server-btn+.btn,.input-group-append .remote-auth-getting-started .server-btn+.input-group-text,.input-group-append .remote-auth-getting-started .server-btn+.other-server-btn,.input-group-append .remote-auth-getting-started .server-btn+.server-btn,.input-group-prepend .btn+.btn,.input-group-prepend .btn+.input-group-text,.input-group-prepend .input-group-text+.btn,.input-group-prepend .input-group-text+.input-group-text,.input-group-prepend .remote-auth-getting-started .btn+.other-server-btn,.input-group-prepend .remote-auth-getting-started .btn+.server-btn,.input-group-prepend .remote-auth-getting-started .input-group-text+.other-server-btn,.input-group-prepend .remote-auth-getting-started .input-group-text+.server-btn,.input-group-prepend .remote-auth-getting-started .other-server-btn+.btn,.input-group-prepend .remote-auth-getting-started .other-server-btn+.input-group-text,.input-group-prepend .remote-auth-getting-started .other-server-btn+.other-server-btn,.input-group-prepend .remote-auth-getting-started .other-server-btn+.server-btn,.input-group-prepend .remote-auth-getting-started .server-btn+.btn,.input-group-prepend .remote-auth-getting-started .server-btn+.input-group-text,.input-group-prepend .remote-auth-getting-started .server-btn+.other-server-btn,.input-group-prepend .remote-auth-getting-started .server-btn+.server-btn,.remote-auth-getting-started .input-group-append .btn+.other-server-btn,.remote-auth-getting-started .input-group-append .btn+.server-btn,.remote-auth-getting-started .input-group-append .input-group-text+.other-server-btn,.remote-auth-getting-started .input-group-append .input-group-text+.server-btn,.remote-auth-getting-started .input-group-append .other-server-btn+.btn,.remote-auth-getting-started .input-group-append .other-server-btn+.input-group-text,.remote-auth-getting-started .input-group-append .other-server-btn+.other-server-btn,.remote-auth-getting-started .input-group-append .other-server-btn+.server-btn,.remote-auth-getting-started .input-group-append .server-btn+.btn,.remote-auth-getting-started .input-group-append .server-btn+.input-group-text,.remote-auth-getting-started .input-group-append .server-btn+.other-server-btn,.remote-auth-getting-started .input-group-append .server-btn+.server-btn,.remote-auth-getting-started .input-group-prepend .btn+.other-server-btn,.remote-auth-getting-started .input-group-prepend .btn+.server-btn,.remote-auth-getting-started .input-group-prepend .input-group-text+.other-server-btn,.remote-auth-getting-started .input-group-prepend .input-group-text+.server-btn,.remote-auth-getting-started .input-group-prepend .other-server-btn+.btn,.remote-auth-getting-started .input-group-prepend .other-server-btn+.input-group-text,.remote-auth-getting-started .input-group-prepend .other-server-btn+.other-server-btn,.remote-auth-getting-started .input-group-prepend .other-server-btn+.server-btn,.remote-auth-getting-started .input-group-prepend .server-btn+.btn,.remote-auth-getting-started .input-group-prepend .server-btn+.input-group-text,.remote-auth-getting-started .input-group-prepend .server-btn+.other-server-btn,.remote-auth-getting-started .input-group-prepend .server-btn+.server-btn{margin-left:-1px}.input-group-prepend{margin-right:-1px}.input-group-append{margin-left:-1px}.input-group-text{align-items:center;background-color:#e9ecef;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:flex;font-size:1rem;font-weight:400;line-height:1.5;margin-bottom:0;padding:.375rem .75rem;text-align:center;white-space:nowrap}.input-group-text input[type=checkbox],.input-group-text input[type=radio]{margin-top:0}.input-group-lg>.custom-select,.input-group-lg>.form-control:not(textarea){height:calc(1.5em + 1rem + 2px)}.input-group-lg>.custom-select,.input-group-lg>.form-control,.input-group-lg>.input-group-append>.btn,.input-group-lg>.input-group-append>.input-group-text,.input-group-lg>.input-group-prepend>.btn,.input-group-lg>.input-group-prepend>.input-group-text,.remote-auth-getting-started .input-group-lg>.input-group-append>.other-server-btn,.remote-auth-getting-started .input-group-lg>.input-group-append>.server-btn,.remote-auth-getting-started .input-group-lg>.input-group-prepend>.other-server-btn,.remote-auth-getting-started .input-group-lg>.input-group-prepend>.server-btn{border-radius:.3rem;font-size:1.25rem;line-height:1.5;padding:.5rem 1rem}.input-group-sm>.custom-select,.input-group-sm>.form-control:not(textarea){height:calc(1.5em + .5rem + 2px)}.input-group-sm>.custom-select,.input-group-sm>.form-control,.input-group-sm>.input-group-append>.btn,.input-group-sm>.input-group-append>.input-group-text,.input-group-sm>.input-group-prepend>.btn,.input-group-sm>.input-group-prepend>.input-group-text,.remote-auth-getting-started .input-group-sm>.input-group-append>.other-server-btn,.remote-auth-getting-started .input-group-sm>.input-group-append>.server-btn,.remote-auth-getting-started .input-group-sm>.input-group-prepend>.other-server-btn,.remote-auth-getting-started .input-group-sm>.input-group-prepend>.server-btn{border-radius:.2rem;font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.input-group-lg>.custom-select,.input-group-sm>.custom-select{padding-right:1.75rem}.input-group.has-validation>.input-group-append:nth-last-child(n+3)>.btn,.input-group.has-validation>.input-group-append:nth-last-child(n+3)>.input-group-text,.input-group:not(.has-validation)>.input-group-append:not(:last-child)>.btn,.input-group:not(.has-validation)>.input-group-append:not(:last-child)>.input-group-text,.input-group>.input-group-append:last-child>.btn:not(:last-child):not(.dropdown-toggle),.input-group>.input-group-append:last-child>.input-group-text:not(:last-child),.input-group>.input-group-prepend>.btn,.input-group>.input-group-prepend>.input-group-text,.remote-auth-getting-started .input-group.has-validation>.input-group-append:nth-last-child(n+3)>.other-server-btn,.remote-auth-getting-started .input-group.has-validation>.input-group-append:nth-last-child(n+3)>.server-btn,.remote-auth-getting-started .input-group:not(.has-validation)>.input-group-append:not(:last-child)>.other-server-btn,.remote-auth-getting-started .input-group:not(.has-validation)>.input-group-append:not(:last-child)>.server-btn,.remote-auth-getting-started .input-group>.input-group-append:last-child>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .input-group>.input-group-append:last-child>.server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-getting-started .input-group>.input-group-prepend>.other-server-btn,.remote-auth-getting-started .input-group>.input-group-prepend>.server-btn{border-bottom-right-radius:0;border-top-right-radius:0}.input-group>.input-group-append>.btn,.input-group>.input-group-append>.input-group-text,.input-group>.input-group-prepend:first-child>.btn:not(:first-child),.input-group>.input-group-prepend:first-child>.input-group-text:not(:first-child),.input-group>.input-group-prepend:not(:first-child)>.btn,.input-group>.input-group-prepend:not(:first-child)>.input-group-text,.remote-auth-getting-started .input-group>.input-group-append>.other-server-btn,.remote-auth-getting-started .input-group>.input-group-append>.server-btn,.remote-auth-getting-started .input-group>.input-group-prepend:first-child>.other-server-btn:not(:first-child),.remote-auth-getting-started .input-group>.input-group-prepend:first-child>.server-btn:not(:first-child),.remote-auth-getting-started .input-group>.input-group-prepend:not(:first-child)>.other-server-btn,.remote-auth-getting-started .input-group>.input-group-prepend:not(:first-child)>.server-btn{border-bottom-left-radius:0;border-top-left-radius:0}.custom-control{display:block;min-height:1.5rem;padding-left:1.5rem;position:relative;-webkit-print-color-adjust:exact;print-color-adjust:exact;z-index:1}.custom-control-inline{display:inline-flex;margin-right:1rem}.custom-control-input{height:1.25rem;left:0;opacity:0;position:absolute;width:1rem;z-index:-1}.custom-control-input:checked~.custom-control-label:before{background-color:#007bff;border-color:#007bff;color:#fff}.custom-control-input:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(0,123,255,.25)}.custom-control-input:focus:not(:checked)~.custom-control-label:before{border-color:#80bdff}.custom-control-input:not(:disabled):active~.custom-control-label:before{background-color:#b3d7ff;border-color:#b3d7ff;color:#fff}.custom-control-input:disabled~.custom-control-label,.custom-control-input[disabled]~.custom-control-label{color:#6c757d}.custom-control-input:disabled~.custom-control-label:before,.custom-control-input[disabled]~.custom-control-label:before{background-color:#e9ecef}.custom-control-label{margin-bottom:0;position:relative;vertical-align:top}.custom-control-label:before{background-color:#fff;border:1px solid #adb5bd;pointer-events:none}.custom-control-label:after,.custom-control-label:before{content:\"\";display:block;height:1rem;left:-1.5rem;position:absolute;top:.25rem;width:1rem}.custom-control-label:after{background:50%/50% 50% no-repeat}.custom-checkbox .custom-control-label:before{border-radius:.25rem}.custom-checkbox .custom-control-input:checked~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%23fff' d='m6.564.75-3.59 3.612-1.538-1.55L0 4.26l2.974 2.99L8 2.193z'/%3E%3C/svg%3E\")}.custom-checkbox .custom-control-input:indeterminate~.custom-control-label:before{background-color:#007bff;border-color:#007bff}.custom-checkbox .custom-control-input:indeterminate~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='4'%3E%3Cpath stroke='%23fff' d='M0 2h4'/%3E%3C/svg%3E\")}.custom-checkbox .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-checkbox .custom-control-input:disabled:indeterminate~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-radio .custom-control-label:before{border-radius:50%}.custom-radio .custom-control-input:checked~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' viewBox='-4 -4 8 8'%3E%3Ccircle r='3' fill='%23fff'/%3E%3C/svg%3E\")}.custom-radio .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-switch{padding-left:2.25rem}.custom-switch .custom-control-label:before{border-radius:.5rem;left:-2.25rem;pointer-events:all;width:1.75rem}.custom-switch .custom-control-label:after{background-color:#adb5bd;border-radius:.5rem;height:calc(1rem - 4px);left:calc(-2.25rem + 2px);top:calc(.25rem + 2px);transition:transform .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:calc(1rem - 4px)}@media (prefers-reduced-motion:reduce){.custom-switch .custom-control-label:after{transition:none}}.custom-switch .custom-control-input:checked~.custom-control-label:after{background-color:#fff;transform:translateX(.75rem)}.custom-switch .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:inline-block;font-size:1rem;font-weight:400;height:calc(1.5em + .75rem + 2px);line-height:1.5;padding:.375rem 1.75rem .375rem .75rem;vertical-align:middle;width:100%}.custom-select:focus{border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0}.custom-select:focus::-ms-value{background-color:#fff;color:#495057}.custom-select[multiple],.custom-select[size]:not([size=\"1\"]){background-image:none;height:auto;padding-right:.75rem}.custom-select:disabled{background-color:#e9ecef;color:#6c757d}.custom-select::-ms-expand{display:none}.custom-select:-moz-focusring{color:transparent;text-shadow:0 0 0 #495057}.custom-select-sm{font-size:.875rem;height:calc(1.5em + .5rem + 2px);padding-bottom:.25rem;padding-left:.5rem;padding-top:.25rem}.custom-select-lg{font-size:1.25rem;height:calc(1.5em + 1rem + 2px);padding-bottom:.5rem;padding-left:1rem;padding-top:.5rem}.custom-file{display:inline-block;margin-bottom:0}.custom-file,.custom-file-input{height:calc(1.5em + .75rem + 2px);position:relative;width:100%}.custom-file-input{margin:0;opacity:0;overflow:hidden;z-index:2}.custom-file-input:focus~.custom-file-label{border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25)}.custom-file-input:disabled~.custom-file-label,.custom-file-input[disabled]~.custom-file-label{background-color:#e9ecef}.custom-file-input:lang(en)~.custom-file-label:after{content:\"Browse\"}.custom-file-input~.custom-file-label[data-browse]:after{content:attr(data-browse)}.custom-file-label{background-color:#fff;border:1px solid #ced4da;border-radius:.25rem;font-weight:400;height:calc(1.5em + .75rem + 2px);left:0;overflow:hidden;z-index:1}.custom-file-label,.custom-file-label:after{color:#495057;line-height:1.5;padding:.375rem .75rem;position:absolute;right:0;top:0}.custom-file-label:after{background-color:#e9ecef;border-left:inherit;border-radius:0 .25rem .25rem 0;bottom:0;content:\"Browse\";display:block;height:calc(1.5em + .75rem);z-index:3}.custom-range{-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:transparent;height:1.4rem;padding:0;width:100%}.custom-range:focus{outline:0}.custom-range:focus::-webkit-slider-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range:focus::-moz-range-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range:focus::-ms-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range::-moz-focus-outer{border:0}.custom-range::-webkit-slider-thumb{-webkit-appearance:none;appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;margin-top:-.25rem;-webkit-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-webkit-slider-thumb{-webkit-transition:none;transition:none}}.custom-range::-webkit-slider-thumb:active{background-color:#b3d7ff}.custom-range::-webkit-slider-runnable-track{background-color:#dee2e6;border-color:transparent;border-radius:1rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-moz-range-thumb{-moz-appearance:none;appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;-moz-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-moz-range-thumb{-moz-transition:none;transition:none}}.custom-range::-moz-range-thumb:active{background-color:#b3d7ff}.custom-range::-moz-range-track{background-color:#dee2e6;border-color:transparent;border-radius:1rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-ms-thumb{appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;margin-left:.2rem;margin-right:.2rem;margin-top:0;-ms-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-ms-thumb{-ms-transition:none;transition:none}}.custom-range::-ms-thumb:active{background-color:#b3d7ff}.custom-range::-ms-track{background-color:transparent;border-color:transparent;border-width:.5rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-ms-fill-lower,.custom-range::-ms-fill-upper{background-color:#dee2e6;border-radius:1rem}.custom-range::-ms-fill-upper{margin-right:15px}.custom-range:disabled::-webkit-slider-thumb{background-color:#adb5bd}.custom-range:disabled::-webkit-slider-runnable-track{cursor:default}.custom-range:disabled::-moz-range-thumb{background-color:#adb5bd}.custom-range:disabled::-moz-range-track{cursor:default}.custom-range:disabled::-ms-thumb{background-color:#adb5bd}.custom-control-label:before,.custom-file-label,.custom-select{transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out}@media (prefers-reduced-motion:reduce){.custom-control-label:before,.custom-file-label,.custom-select{transition:none}}.nav{display:flex;flex-wrap:wrap;list-style:none;margin-bottom:0;padding-left:0}.nav-link{display:block;padding:.5rem 1rem}.nav-link:focus,.nav-link:hover{text-decoration:none}.nav-link.disabled{color:#6c757d;cursor:default;pointer-events:none}.nav-tabs{border-bottom:1px solid #dee2e6}.nav-tabs .nav-link{background-color:transparent;border:1px solid transparent;border-top-left-radius:.25rem;border-top-right-radius:.25rem;margin-bottom:-1px}.nav-tabs .nav-link:focus,.nav-tabs .nav-link:hover{border-color:#e9ecef #e9ecef #dee2e6;isolation:isolate}.nav-tabs .nav-link.disabled{background-color:transparent;border-color:transparent;color:#6c757d}.nav-tabs .nav-item.show .nav-link,.nav-tabs .nav-link.active{background-color:#fff;border-color:#dee2e6 #dee2e6 #fff;color:#495057}.nav-tabs .dropdown-menu{border-top-left-radius:0;border-top-right-radius:0;margin-top:-1px}.nav-pills .nav-link{background:none;border:0;border-radius:.25rem}.nav-pills .nav-link.active,.nav-pills .show>.nav-link{background-color:#007bff;color:#fff}.nav-fill .nav-item,.nav-fill>.nav-link{flex:1 1 auto;text-align:center}.nav-justified .nav-item,.nav-justified>.nav-link{flex-basis:0;flex-grow:1;text-align:center}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.navbar{padding:.5rem 1rem;position:relative}.navbar,.navbar .container,.navbar .container-fluid,.navbar .container-lg,.navbar .container-md,.navbar .container-sm,.navbar .container-xl{align-items:center;display:flex;flex-wrap:wrap;justify-content:space-between}.navbar-brand{display:inline-block;font-size:1.25rem;line-height:inherit;margin-right:1rem;padding-bottom:.3125rem;padding-top:.3125rem;white-space:nowrap}.navbar-brand:focus,.navbar-brand:hover{text-decoration:none}.navbar-nav{display:flex;flex-direction:column;list-style:none;margin-bottom:0;padding-left:0}.navbar-nav .nav-link{padding-left:0;padding-right:0}.navbar-nav .dropdown-menu{float:none;position:static}.navbar-text{display:inline-block;padding-bottom:.5rem;padding-top:.5rem}.navbar-collapse{align-items:center;flex-basis:100%;flex-grow:1}.navbar-toggler{background-color:transparent;border:1px solid transparent;border-radius:.25rem;font-size:1.25rem;line-height:1;padding:.25rem .75rem}.navbar-toggler:focus,.navbar-toggler:hover{text-decoration:none}.navbar-toggler-icon{background:50%/100% 100% no-repeat;content:\"\";display:inline-block;height:1.5em;vertical-align:middle;width:1.5em}.navbar-nav-scroll{max-height:75vh;overflow-y:auto}@media (max-width:575.98px){.navbar-expand-sm>.container,.navbar-expand-sm>.container-fluid,.navbar-expand-sm>.container-lg,.navbar-expand-sm>.container-md,.navbar-expand-sm>.container-sm,.navbar-expand-sm>.container-xl{padding-left:0;padding-right:0}}@media (min-width:576px){.navbar-expand-sm{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-sm .navbar-nav{flex-direction:row}.navbar-expand-sm .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-sm .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-sm>.container,.navbar-expand-sm>.container-fluid,.navbar-expand-sm>.container-lg,.navbar-expand-sm>.container-md,.navbar-expand-sm>.container-sm,.navbar-expand-sm>.container-xl{flex-wrap:nowrap}.navbar-expand-sm .navbar-nav-scroll{overflow:visible}.navbar-expand-sm .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-sm .navbar-toggler{display:none}}@media (max-width:767.98px){.navbar-expand-md>.container,.navbar-expand-md>.container-fluid,.navbar-expand-md>.container-lg,.navbar-expand-md>.container-md,.navbar-expand-md>.container-sm,.navbar-expand-md>.container-xl{padding-left:0;padding-right:0}}@media (min-width:768px){.navbar-expand-md{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-md .navbar-nav{flex-direction:row}.navbar-expand-md .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-md .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-md>.container,.navbar-expand-md>.container-fluid,.navbar-expand-md>.container-lg,.navbar-expand-md>.container-md,.navbar-expand-md>.container-sm,.navbar-expand-md>.container-xl{flex-wrap:nowrap}.navbar-expand-md .navbar-nav-scroll{overflow:visible}.navbar-expand-md .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-md .navbar-toggler{display:none}}@media (max-width:991.98px){.navbar-expand-lg>.container,.navbar-expand-lg>.container-fluid,.navbar-expand-lg>.container-lg,.navbar-expand-lg>.container-md,.navbar-expand-lg>.container-sm,.navbar-expand-lg>.container-xl{padding-left:0;padding-right:0}}@media (min-width:992px){.navbar-expand-lg{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-lg .navbar-nav{flex-direction:row}.navbar-expand-lg .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-lg .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-lg>.container,.navbar-expand-lg>.container-fluid,.navbar-expand-lg>.container-lg,.navbar-expand-lg>.container-md,.navbar-expand-lg>.container-sm,.navbar-expand-lg>.container-xl{flex-wrap:nowrap}.navbar-expand-lg .navbar-nav-scroll{overflow:visible}.navbar-expand-lg .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-lg .navbar-toggler{display:none}}@media (max-width:1199.98px){.navbar-expand-xl>.container,.navbar-expand-xl>.container-fluid,.navbar-expand-xl>.container-lg,.navbar-expand-xl>.container-md,.navbar-expand-xl>.container-sm,.navbar-expand-xl>.container-xl{padding-left:0;padding-right:0}}@media (min-width:1200px){.navbar-expand-xl{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-xl .navbar-nav{flex-direction:row}.navbar-expand-xl .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-xl .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-xl>.container,.navbar-expand-xl>.container-fluid,.navbar-expand-xl>.container-lg,.navbar-expand-xl>.container-md,.navbar-expand-xl>.container-sm,.navbar-expand-xl>.container-xl{flex-wrap:nowrap}.navbar-expand-xl .navbar-nav-scroll{overflow:visible}.navbar-expand-xl .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-xl .navbar-toggler{display:none}}.navbar-expand{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand>.container,.navbar-expand>.container-fluid,.navbar-expand>.container-lg,.navbar-expand>.container-md,.navbar-expand>.container-sm,.navbar-expand>.container-xl{padding-left:0;padding-right:0}.navbar-expand .navbar-nav{flex-direction:row}.navbar-expand .navbar-nav .dropdown-menu{position:absolute}.navbar-expand .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand>.container,.navbar-expand>.container-fluid,.navbar-expand>.container-lg,.navbar-expand>.container-md,.navbar-expand>.container-sm,.navbar-expand>.container-xl{flex-wrap:nowrap}.navbar-expand .navbar-nav-scroll{overflow:visible}.navbar-expand .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand .navbar-toggler{display:none}.navbar-light .navbar-brand,.navbar-light .navbar-brand:focus,.navbar-light .navbar-brand:hover{color:rgba(0,0,0,.9)}.navbar-light .navbar-nav .nav-link{color:rgba(0,0,0,.5)}.navbar-light .navbar-nav .nav-link:focus,.navbar-light .navbar-nav .nav-link:hover{color:rgba(0,0,0,.7)}.navbar-light .navbar-nav .nav-link.disabled{color:rgba(0,0,0,.3)}.navbar-light .navbar-nav .active>.nav-link,.navbar-light .navbar-nav .nav-link.active,.navbar-light .navbar-nav .nav-link.show,.navbar-light .navbar-nav .show>.nav-link{color:rgba(0,0,0,.9)}.navbar-light .navbar-toggler{border-color:rgba(0,0,0,.1);color:rgba(0,0,0,.5)}.navbar-light .navbar-toggler-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='30' height='30'%3E%3Cpath stroke='rgba(0, 0, 0, 0.5)' stroke-linecap='round' stroke-miterlimit='10' stroke-width='2' d='M4 7h22M4 15h22M4 23h22'/%3E%3C/svg%3E\")}.navbar-light .navbar-text{color:rgba(0,0,0,.5)}.navbar-light .navbar-text a,.navbar-light .navbar-text a:focus,.navbar-light .navbar-text a:hover{color:rgba(0,0,0,.9)}.navbar-dark .navbar-brand,.navbar-dark .navbar-brand:focus,.navbar-dark .navbar-brand:hover{color:#fff}.navbar-dark .navbar-nav .nav-link{color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-nav .nav-link:focus,.navbar-dark .navbar-nav .nav-link:hover{color:hsla(0,0%,100%,.75)}.navbar-dark .navbar-nav .nav-link.disabled{color:hsla(0,0%,100%,.25)}.navbar-dark .navbar-nav .active>.nav-link,.navbar-dark .navbar-nav .nav-link.active,.navbar-dark .navbar-nav .nav-link.show,.navbar-dark .navbar-nav .show>.nav-link{color:#fff}.navbar-dark .navbar-toggler{border-color:hsla(0,0%,100%,.1);color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-toggler-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='30' height='30'%3E%3Cpath stroke='rgba(255, 255, 255, 0.5)' stroke-linecap='round' stroke-miterlimit='10' stroke-width='2' d='M4 7h22M4 15h22M4 23h22'/%3E%3C/svg%3E\")}.navbar-dark .navbar-text{color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-text a,.navbar-dark .navbar-text a:focus,.navbar-dark .navbar-text a:hover{color:#fff}.card{word-wrap:break-word;background-clip:border-box;background-color:#fff;border:1px solid rgba(0,0,0,.125);border-radius:.25rem;display:flex;flex-direction:column;min-width:0;position:relative}.card>hr{margin-left:0;margin-right:0}.card>.list-group{border-bottom:inherit;border-top:inherit}.card>.list-group:first-child{border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px);border-top-width:0}.card>.list-group:last-child{border-bottom-left-radius:calc(.25rem - 1px);border-bottom-right-radius:calc(.25rem - 1px);border-bottom-width:0}.card>.card-header+.list-group,.card>.list-group+.card-footer{border-top:0}.card-body{flex:1 1 auto;min-height:1px;padding:1.25rem}.card-title{margin-bottom:.75rem}.card-subtitle{margin-top:-.375rem}.card-subtitle,.card-text:last-child{margin-bottom:0}.card-link:hover{text-decoration:none}.card-link+.card-link{margin-left:1.25rem}.card-header{background-color:rgba(0,0,0,.03);border-bottom:1px solid rgba(0,0,0,.125);margin-bottom:0;padding:.75rem 1.25rem}.card-header:first-child{border-radius:calc(.25rem - 1px) calc(.25rem - 1px) 0 0}.card-footer{background-color:rgba(0,0,0,.03);border-top:1px solid rgba(0,0,0,.125);padding:.75rem 1.25rem}.card-footer:last-child{border-radius:0 0 calc(.25rem - 1px) calc(.25rem - 1px)}.card-header-tabs{border-bottom:0;margin-bottom:-.75rem}.card-header-pills,.card-header-tabs{margin-left:-.625rem;margin-right:-.625rem}.card-img-overlay{border-radius:calc(.25rem - 1px);bottom:0;left:0;padding:1.25rem;position:absolute;right:0;top:0}.card-img,.card-img-bottom,.card-img-top{flex-shrink:0;width:100%}.card-img,.card-img-top{border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px)}.card-img,.card-img-bottom{border-bottom-left-radius:calc(.25rem - 1px);border-bottom-right-radius:calc(.25rem - 1px)}.card-deck .card{margin-bottom:15px}@media (min-width:576px){.card-deck{display:flex;flex-flow:row wrap;margin-left:-15px;margin-right:-15px}.card-deck .card{flex:1 0 0%;margin-bottom:0;margin-left:15px;margin-right:15px}}.card-group>.card{margin-bottom:15px}@media (min-width:576px){.card-group{display:flex;flex-flow:row wrap}.card-group>.card{flex:1 0 0%;margin-bottom:0}.card-group>.card+.card{border-left:0;margin-left:0}.card-group>.card:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.card-group>.card:not(:last-child) .card-header,.card-group>.card:not(:last-child) .card-img-top{border-top-right-radius:0}.card-group>.card:not(:last-child) .card-footer,.card-group>.card:not(:last-child) .card-img-bottom{border-bottom-right-radius:0}.card-group>.card:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.card-group>.card:not(:first-child) .card-header,.card-group>.card:not(:first-child) .card-img-top{border-top-left-radius:0}.card-group>.card:not(:first-child) .card-footer,.card-group>.card:not(:first-child) .card-img-bottom{border-bottom-left-radius:0}}.card-columns .card{margin-bottom:.75rem}@media (min-width:576px){.card-columns{-moz-column-count:3;column-count:3;-moz-column-gap:1.25rem;column-gap:1.25rem;orphans:1;widows:1}.card-columns .card{display:inline-block;width:100%}}.accordion{overflow-anchor:none}.accordion>.card{overflow:hidden}.accordion>.card:not(:last-of-type){border-bottom:0;border-bottom-left-radius:0;border-bottom-right-radius:0}.accordion>.card:not(:first-of-type){border-top-left-radius:0;border-top-right-radius:0}.accordion>.card>.card-header{border-radius:0;margin-bottom:-1px}.breadcrumb{background-color:#e9ecef;border-radius:.25rem;display:flex;flex-wrap:wrap;list-style:none;margin-bottom:1rem;padding:.75rem 1rem}.breadcrumb-item+.breadcrumb-item{padding-left:.5rem}.breadcrumb-item+.breadcrumb-item:before{color:#6c757d;content:\"/\";float:left;padding-right:.5rem}.breadcrumb-item+.breadcrumb-item:hover:before{text-decoration:underline;text-decoration:none}.breadcrumb-item.active{color:#6c757d}.pagination{border-radius:.25rem;display:flex;list-style:none;padding-left:0}.page-link{background-color:#fff;border:1px solid #dee2e6;color:#007bff;display:block;line-height:1.25;margin-left:-1px;padding:.5rem .75rem;position:relative}.page-link:hover{background-color:#e9ecef;border-color:#dee2e6;color:#0056b3;text-decoration:none;z-index:2}.page-link:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0;z-index:3}.page-item:first-child .page-link{border-bottom-left-radius:.25rem;border-top-left-radius:.25rem;margin-left:0}.page-item:last-child .page-link{border-bottom-right-radius:.25rem;border-top-right-radius:.25rem}.page-item.active .page-link{background-color:#007bff;border-color:#007bff;color:#fff;z-index:3}.page-item.disabled .page-link{background-color:#fff;border-color:#dee2e6;color:#6c757d;cursor:auto;pointer-events:none}.pagination-lg .page-link{font-size:1.25rem;line-height:1.5;padding:.75rem 1.5rem}.pagination-lg .page-item:first-child .page-link{border-bottom-left-radius:.3rem;border-top-left-radius:.3rem}.pagination-lg .page-item:last-child .page-link{border-bottom-right-radius:.3rem;border-top-right-radius:.3rem}.pagination-sm .page-link{font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.pagination-sm .page-item:first-child .page-link{border-bottom-left-radius:.2rem;border-top-left-radius:.2rem}.pagination-sm .page-item:last-child .page-link{border-bottom-right-radius:.2rem;border-top-right-radius:.2rem}.badge{border-radius:.25rem;display:inline-block;font-size:75%;font-weight:700;line-height:1;padding:.25em .4em;text-align:center;transition:color .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;vertical-align:baseline;white-space:nowrap}@media (prefers-reduced-motion:reduce){.badge{transition:none}}a.badge:focus,a.badge:hover{text-decoration:none}.badge:empty{display:none}.btn .badge,.remote-auth-getting-started .other-server-btn .badge,.remote-auth-getting-started .server-btn .badge{position:relative;top:-1px}.badge-pill{border-radius:10rem;padding-left:.6em;padding-right:.6em}.badge-primary{background-color:#007bff;color:#fff}a.badge-primary:focus,a.badge-primary:hover{background-color:#0062cc;color:#fff}a.badge-primary.focus,a.badge-primary:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5);outline:0}.badge-secondary{background-color:#6c757d;color:#fff}a.badge-secondary:focus,a.badge-secondary:hover{background-color:#545b62;color:#fff}a.badge-secondary.focus,a.badge-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5);outline:0}.badge-success{background-color:#28a745;color:#fff}a.badge-success:focus,a.badge-success:hover{background-color:#1e7e34;color:#fff}a.badge-success.focus,a.badge-success:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5);outline:0}.badge-info{background-color:#17a2b8;color:#fff}a.badge-info:focus,a.badge-info:hover{background-color:#117a8b;color:#fff}a.badge-info.focus,a.badge-info:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5);outline:0}.badge-warning{background-color:#ffc107;color:#212529}a.badge-warning:focus,a.badge-warning:hover{background-color:#d39e00;color:#212529}a.badge-warning.focus,a.badge-warning:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5);outline:0}.badge-danger{background-color:#dc3545;color:#fff}a.badge-danger:focus,a.badge-danger:hover{background-color:#bd2130;color:#fff}a.badge-danger.focus,a.badge-danger:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5);outline:0}.badge-light{background-color:#f8f9fa;color:#212529}a.badge-light:focus,a.badge-light:hover{background-color:#dae0e5;color:#212529}a.badge-light.focus,a.badge-light:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5);outline:0}.badge-dark{background-color:#343a40;color:#fff}a.badge-dark:focus,a.badge-dark:hover{background-color:#1d2124;color:#fff}a.badge-dark.focus,a.badge-dark:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5);outline:0}.jumbotron{background-color:#e9ecef;border-radius:.3rem;margin-bottom:2rem;padding:2rem 1rem}@media (min-width:576px){.jumbotron{padding:4rem 2rem}}.jumbotron-fluid{border-radius:0;padding-left:0;padding-right:0}.alert{border:1px solid transparent;border-radius:.25rem;margin-bottom:1rem;padding:.75rem 1.25rem;position:relative}.alert-heading{color:inherit}.alert-link{font-weight:700}.alert-dismissible{padding-right:4rem}.alert-dismissible .close{color:inherit;padding:.75rem 1.25rem;position:absolute;right:0;top:0;z-index:2}.alert-primary{background-color:#cce5ff;border-color:#b8daff;color:#004085}.alert-primary hr{border-top-color:#9fcdff}.alert-primary .alert-link{color:#002752}.alert-secondary{background-color:#e2e3e5;border-color:#d6d8db;color:#383d41}.alert-secondary hr{border-top-color:#c8cbcf}.alert-secondary .alert-link{color:#202326}.alert-success{background-color:#d4edda;border-color:#c3e6cb;color:#155724}.alert-success hr{border-top-color:#b1dfbb}.alert-success .alert-link{color:#0b2e13}.alert-info{background-color:#d1ecf1;border-color:#bee5eb;color:#0c5460}.alert-info hr{border-top-color:#abdde5}.alert-info .alert-link{color:#062c33}.alert-warning{background-color:#fff3cd;border-color:#ffeeba;color:#856404}.alert-warning hr{border-top-color:#ffe8a1}.alert-warning .alert-link{color:#533f03}.alert-danger{background-color:#f8d7da;border-color:#f5c6cb;color:#721c24}.alert-danger hr{border-top-color:#f1b0b7}.alert-danger .alert-link{color:#491217}.alert-light{background-color:#fefefe;border-color:#fdfdfe;color:#818182}.alert-light hr{border-top-color:#ececf6}.alert-light .alert-link{color:#686868}.alert-dark{background-color:#d6d8d9;border-color:#c6c8ca;color:#1b1e21}.alert-dark hr{border-top-color:#b9bbbe}.alert-dark .alert-link{color:#040505}@keyframes progress-bar-stripes{0%{background-position:1rem 0}to{background-position:0 0}}.progress{background-color:#e9ecef;border-radius:.25rem;font-size:.75rem;height:1rem;line-height:0}.progress,.progress-bar{display:flex;overflow:hidden}.progress-bar{background-color:#007bff;color:#fff;flex-direction:column;justify-content:center;text-align:center;transition:width .6s ease;white-space:nowrap}@media (prefers-reduced-motion:reduce){.progress-bar{transition:none}}.progress-bar-striped{background-image:linear-gradient(45deg,hsla(0,0%,100%,.15) 25%,transparent 0,transparent 50%,hsla(0,0%,100%,.15) 0,hsla(0,0%,100%,.15) 75%,transparent 0,transparent);background-size:1rem 1rem}.progress-bar-animated{animation:progress-bar-stripes 1s linear infinite}@media (prefers-reduced-motion:reduce){.progress-bar-animated{animation:none}}.media{align-items:flex-start;display:flex}.media-body{flex:1}.list-group{border-radius:.25rem;display:flex;flex-direction:column;margin-bottom:0;padding-left:0}.list-group-item-action{color:#495057;text-align:inherit;width:100%}.list-group-item-action:focus,.list-group-item-action:hover{background-color:#f8f9fa;color:#495057;text-decoration:none;z-index:1}.list-group-item-action:active{background-color:#e9ecef;color:#212529}.list-group-item{background-color:#fff;border:1px solid rgba(0,0,0,.125);display:block;padding:.75rem 1.25rem;position:relative}.list-group-item:first-child{border-top-left-radius:inherit;border-top-right-radius:inherit}.list-group-item:last-child{border-bottom-left-radius:inherit;border-bottom-right-radius:inherit}.list-group-item.disabled,.list-group-item:disabled{background-color:#fff;color:#6c757d;pointer-events:none}.list-group-item.active{background-color:#007bff;border-color:#007bff;color:#fff;z-index:2}.list-group-item+.list-group-item{border-top-width:0}.list-group-item+.list-group-item.active{border-top-width:1px;margin-top:-1px}.list-group-horizontal{flex-direction:row}.list-group-horizontal>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal>.list-group-item.active{margin-top:0}.list-group-horizontal>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}@media (min-width:576px){.list-group-horizontal-sm{flex-direction:row}.list-group-horizontal-sm>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-sm>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-sm>.list-group-item.active{margin-top:0}.list-group-horizontal-sm>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-sm>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:768px){.list-group-horizontal-md{flex-direction:row}.list-group-horizontal-md>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-md>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-md>.list-group-item.active{margin-top:0}.list-group-horizontal-md>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-md>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:992px){.list-group-horizontal-lg{flex-direction:row}.list-group-horizontal-lg>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-lg>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-lg>.list-group-item.active{margin-top:0}.list-group-horizontal-lg>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-lg>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:1200px){.list-group-horizontal-xl{flex-direction:row}.list-group-horizontal-xl>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-xl>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-xl>.list-group-item.active{margin-top:0}.list-group-horizontal-xl>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-xl>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}.list-group-flush{border-radius:0}.list-group-flush>.list-group-item{border-width:0 0 1px}.list-group-flush>.list-group-item:last-child{border-bottom-width:0}.list-group-item-primary{background-color:#b8daff;color:#004085}.list-group-item-primary.list-group-item-action:focus,.list-group-item-primary.list-group-item-action:hover{background-color:#9fcdff;color:#004085}.list-group-item-primary.list-group-item-action.active{background-color:#004085;border-color:#004085;color:#fff}.list-group-item-secondary{background-color:#d6d8db;color:#383d41}.list-group-item-secondary.list-group-item-action:focus,.list-group-item-secondary.list-group-item-action:hover{background-color:#c8cbcf;color:#383d41}.list-group-item-secondary.list-group-item-action.active{background-color:#383d41;border-color:#383d41;color:#fff}.list-group-item-success{background-color:#c3e6cb;color:#155724}.list-group-item-success.list-group-item-action:focus,.list-group-item-success.list-group-item-action:hover{background-color:#b1dfbb;color:#155724}.list-group-item-success.list-group-item-action.active{background-color:#155724;border-color:#155724;color:#fff}.list-group-item-info{background-color:#bee5eb;color:#0c5460}.list-group-item-info.list-group-item-action:focus,.list-group-item-info.list-group-item-action:hover{background-color:#abdde5;color:#0c5460}.list-group-item-info.list-group-item-action.active{background-color:#0c5460;border-color:#0c5460;color:#fff}.list-group-item-warning{background-color:#ffeeba;color:#856404}.list-group-item-warning.list-group-item-action:focus,.list-group-item-warning.list-group-item-action:hover{background-color:#ffe8a1;color:#856404}.list-group-item-warning.list-group-item-action.active{background-color:#856404;border-color:#856404;color:#fff}.list-group-item-danger{background-color:#f5c6cb;color:#721c24}.list-group-item-danger.list-group-item-action:focus,.list-group-item-danger.list-group-item-action:hover{background-color:#f1b0b7;color:#721c24}.list-group-item-danger.list-group-item-action.active{background-color:#721c24;border-color:#721c24;color:#fff}.list-group-item-light{background-color:#fdfdfe;color:#818182}.list-group-item-light.list-group-item-action:focus,.list-group-item-light.list-group-item-action:hover{background-color:#ececf6;color:#818182}.list-group-item-light.list-group-item-action.active{background-color:#818182;border-color:#818182;color:#fff}.list-group-item-dark{background-color:#c6c8ca;color:#1b1e21}.list-group-item-dark.list-group-item-action:focus,.list-group-item-dark.list-group-item-action:hover{background-color:#b9bbbe;color:#1b1e21}.list-group-item-dark.list-group-item-action.active{background-color:#1b1e21;border-color:#1b1e21;color:#fff}.close{color:#000;float:right;font-size:1.5rem;font-weight:700;line-height:1;opacity:.5;text-shadow:0 1px 0 #fff}.close:hover{color:#000;text-decoration:none}.close:not(:disabled):not(.disabled):focus,.close:not(:disabled):not(.disabled):hover{opacity:.75}button.close{background-color:transparent;border:0;padding:0}a.close.disabled{pointer-events:none}.toast{background-clip:padding-box;background-color:hsla(0,0%,100%,.85);border:1px solid rgba(0,0,0,.1);border-radius:.25rem;box-shadow:0 .25rem .75rem rgba(0,0,0,.1);flex-basis:350px;font-size:.875rem;max-width:350px;opacity:0}.toast:not(:last-child){margin-bottom:.75rem}.toast.showing{opacity:1}.toast.show{display:block;opacity:1}.toast.hide{display:none}.toast-header{align-items:center;background-clip:padding-box;background-color:hsla(0,0%,100%,.85);border-bottom:1px solid rgba(0,0,0,.05);border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px);color:#6c757d;display:flex;padding:.25rem .75rem}.toast-body{padding:.75rem}.modal-open{overflow:hidden}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal{display:none;height:100%;left:0;outline:0;overflow:hidden;position:fixed;top:0;width:100%;z-index:1050}.modal-dialog{margin:.5rem;pointer-events:none;position:relative;width:auto}.modal.fade .modal-dialog{transform:translateY(-50px);transition:transform .3s ease-out}@media (prefers-reduced-motion:reduce){.modal.fade .modal-dialog{transition:none}}.modal.show .modal-dialog{transform:none}.modal.modal-static .modal-dialog{transform:scale(1.02)}.modal-dialog-scrollable{display:flex;max-height:calc(100% - 1rem)}.modal-dialog-scrollable .modal-content{max-height:calc(100vh - 1rem);overflow:hidden}.modal-dialog-scrollable .modal-footer,.modal-dialog-scrollable .modal-header{flex-shrink:0}.modal-dialog-scrollable .modal-body{overflow-y:auto}.modal-dialog-centered{align-items:center;display:flex;min-height:calc(100% - 1rem)}.modal-dialog-centered:before{content:\"\";display:block;height:calc(100vh - 1rem);height:-moz-min-content;height:min-content}.modal-dialog-centered.modal-dialog-scrollable{flex-direction:column;height:100%;justify-content:center}.modal-dialog-centered.modal-dialog-scrollable .modal-content{max-height:none}.modal-dialog-centered.modal-dialog-scrollable:before{content:none}.modal-content{background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.2);border-radius:.3rem;display:flex;flex-direction:column;outline:0;pointer-events:auto;position:relative;width:100%}.modal-backdrop{background-color:#000;height:100vh;left:0;position:fixed;top:0;width:100vw;z-index:1040}.modal-backdrop.fade{opacity:0}.modal-backdrop.show{opacity:.5}.modal-header{align-items:flex-start;border-bottom:1px solid #dee2e6;border-top-left-radius:calc(.3rem - 1px);border-top-right-radius:calc(.3rem - 1px);display:flex;justify-content:space-between;padding:1rem}.modal-header .close{margin:-1rem -1rem -1rem auto;padding:1rem}.modal-title{line-height:1.5;margin-bottom:0}.modal-body{flex:1 1 auto;padding:1rem;position:relative}.modal-footer{align-items:center;border-bottom-left-radius:calc(.3rem - 1px);border-bottom-right-radius:calc(.3rem - 1px);border-top:1px solid #dee2e6;display:flex;flex-wrap:wrap;justify-content:flex-end;padding:.75rem}.modal-footer>*{margin:.25rem}.modal-scrollbar-measure{height:50px;overflow:scroll;position:absolute;top:-9999px;width:50px}@media (min-width:576px){.modal-dialog{margin:1.75rem auto;max-width:500px}.modal-dialog-scrollable{max-height:calc(100% - 3.5rem)}.modal-dialog-scrollable .modal-content{max-height:calc(100vh - 3.5rem)}.modal-dialog-centered{min-height:calc(100% - 3.5rem)}.modal-dialog-centered:before{height:calc(100vh - 3.5rem);height:-moz-min-content;height:min-content}.modal-sm{max-width:300px}}@media (min-width:992px){.modal-lg,.modal-xl{max-width:800px}}@media (min-width:1200px){.modal-xl{max-width:1140px}}.tooltip{word-wrap:break-word;display:block;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:.875rem;font-style:normal;font-weight:400;letter-spacing:normal;line-break:auto;line-height:1.5;margin:0;opacity:0;position:absolute;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;white-space:normal;word-break:normal;word-spacing:normal;z-index:1070}.tooltip.show{opacity:.9}.tooltip .arrow{display:block;height:.4rem;position:absolute;width:.8rem}.tooltip .arrow:before{border-color:transparent;border-style:solid;content:\"\";position:absolute}.bs-tooltip-auto[x-placement^=top],.bs-tooltip-top{padding:.4rem 0}.bs-tooltip-auto[x-placement^=top] .arrow,.bs-tooltip-top .arrow{bottom:0}.bs-tooltip-auto[x-placement^=top] .arrow:before,.bs-tooltip-top .arrow:before{border-top-color:#000;border-width:.4rem .4rem 0;top:0}.bs-tooltip-auto[x-placement^=right],.bs-tooltip-right{padding:0 .4rem}.bs-tooltip-auto[x-placement^=right] .arrow,.bs-tooltip-right .arrow{height:.8rem;left:0;width:.4rem}.bs-tooltip-auto[x-placement^=right] .arrow:before,.bs-tooltip-right .arrow:before{border-right-color:#000;border-width:.4rem .4rem .4rem 0;right:0}.bs-tooltip-auto[x-placement^=bottom],.bs-tooltip-bottom{padding:.4rem 0}.bs-tooltip-auto[x-placement^=bottom] .arrow,.bs-tooltip-bottom .arrow{top:0}.bs-tooltip-auto[x-placement^=bottom] .arrow:before,.bs-tooltip-bottom .arrow:before{border-bottom-color:#000;border-width:0 .4rem .4rem;bottom:0}.bs-tooltip-auto[x-placement^=left],.bs-tooltip-left{padding:0 .4rem}.bs-tooltip-auto[x-placement^=left] .arrow,.bs-tooltip-left .arrow{height:.8rem;right:0;width:.4rem}.bs-tooltip-auto[x-placement^=left] .arrow:before,.bs-tooltip-left .arrow:before{border-left-color:#000;border-width:.4rem 0 .4rem .4rem;left:0}.tooltip-inner{background-color:#000;border-radius:.25rem;color:#fff;max-width:200px;padding:.25rem .5rem;text-align:center}.popover{word-wrap:break-word;background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.2);border-radius:.3rem;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:.875rem;font-style:normal;font-weight:400;left:0;letter-spacing:normal;line-break:auto;line-height:1.5;max-width:276px;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;top:0;white-space:normal;word-break:normal;word-spacing:normal;z-index:1060}.popover,.popover .arrow{display:block;position:absolute}.popover .arrow{height:.5rem;margin:0 .3rem;width:1rem}.popover .arrow:after,.popover .arrow:before{border-color:transparent;border-style:solid;content:\"\";display:block;position:absolute}.bs-popover-auto[x-placement^=top],.bs-popover-top{margin-bottom:.5rem}.bs-popover-auto[x-placement^=top]>.arrow,.bs-popover-top>.arrow{bottom:calc(-.5rem - 1px)}.bs-popover-auto[x-placement^=top]>.arrow:before,.bs-popover-top>.arrow:before{border-top-color:rgba(0,0,0,.25);border-width:.5rem .5rem 0;bottom:0}.bs-popover-auto[x-placement^=top]>.arrow:after,.bs-popover-top>.arrow:after{border-top-color:#fff;border-width:.5rem .5rem 0;bottom:1px}.bs-popover-auto[x-placement^=right],.bs-popover-right{margin-left:.5rem}.bs-popover-auto[x-placement^=right]>.arrow,.bs-popover-right>.arrow{height:1rem;left:calc(-.5rem - 1px);margin:.3rem 0;width:.5rem}.bs-popover-auto[x-placement^=right]>.arrow:before,.bs-popover-right>.arrow:before{border-right-color:rgba(0,0,0,.25);border-width:.5rem .5rem .5rem 0;left:0}.bs-popover-auto[x-placement^=right]>.arrow:after,.bs-popover-right>.arrow:after{border-right-color:#fff;border-width:.5rem .5rem .5rem 0;left:1px}.bs-popover-auto[x-placement^=bottom],.bs-popover-bottom{margin-top:.5rem}.bs-popover-auto[x-placement^=bottom]>.arrow,.bs-popover-bottom>.arrow{top:calc(-.5rem - 1px)}.bs-popover-auto[x-placement^=bottom]>.arrow:before,.bs-popover-bottom>.arrow:before{border-bottom-color:rgba(0,0,0,.25);border-width:0 .5rem .5rem;top:0}.bs-popover-auto[x-placement^=bottom]>.arrow:after,.bs-popover-bottom>.arrow:after{border-bottom-color:#fff;border-width:0 .5rem .5rem;top:1px}.bs-popover-auto[x-placement^=bottom] .popover-header:before,.bs-popover-bottom .popover-header:before{border-bottom:1px solid #f7f7f7;content:\"\";display:block;left:50%;margin-left:-.5rem;position:absolute;top:0;width:1rem}.bs-popover-auto[x-placement^=left],.bs-popover-left{margin-right:.5rem}.bs-popover-auto[x-placement^=left]>.arrow,.bs-popover-left>.arrow{height:1rem;margin:.3rem 0;right:calc(-.5rem - 1px);width:.5rem}.bs-popover-auto[x-placement^=left]>.arrow:before,.bs-popover-left>.arrow:before{border-left-color:rgba(0,0,0,.25);border-width:.5rem 0 .5rem .5rem;right:0}.bs-popover-auto[x-placement^=left]>.arrow:after,.bs-popover-left>.arrow:after{border-left-color:#fff;border-width:.5rem 0 .5rem .5rem;right:1px}.popover-header{background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-top-left-radius:calc(.3rem - 1px);border-top-right-radius:calc(.3rem - 1px);font-size:1rem;margin-bottom:0;padding:.5rem .75rem}.popover-header:empty{display:none}.popover-body{color:#212529;padding:.5rem .75rem}.carousel{position:relative}.carousel.pointer-event{touch-action:pan-y}.carousel-inner{overflow:hidden;position:relative;width:100%}.carousel-inner:after{clear:both;content:\"\";display:block}.carousel-item{backface-visibility:hidden;display:none;float:left;margin-right:-100%;position:relative;transition:transform .6s ease-in-out;width:100%}@media (prefers-reduced-motion:reduce){.carousel-item{transition:none}}.carousel-item-next,.carousel-item-prev,.carousel-item.active{display:block}.active.carousel-item-right,.carousel-item-next:not(.carousel-item-left){transform:translateX(100%)}.active.carousel-item-left,.carousel-item-prev:not(.carousel-item-right){transform:translateX(-100%)}.carousel-fade .carousel-item{opacity:0;transform:none;transition-property:opacity}.carousel-fade .carousel-item-next.carousel-item-left,.carousel-fade .carousel-item-prev.carousel-item-right,.carousel-fade .carousel-item.active{opacity:1;z-index:1}.carousel-fade .active.carousel-item-left,.carousel-fade .active.carousel-item-right{opacity:0;transition:opacity 0s .6s;z-index:0}@media (prefers-reduced-motion:reduce){.carousel-fade .active.carousel-item-left,.carousel-fade .active.carousel-item-right{transition:none}}.carousel-control-next,.carousel-control-prev{align-items:center;background:none;border:0;bottom:0;color:#fff;display:flex;justify-content:center;opacity:.5;padding:0;position:absolute;text-align:center;top:0;transition:opacity .15s ease;width:15%;z-index:1}@media (prefers-reduced-motion:reduce){.carousel-control-next,.carousel-control-prev{transition:none}}.carousel-control-next:focus,.carousel-control-next:hover,.carousel-control-prev:focus,.carousel-control-prev:hover{color:#fff;opacity:.9;outline:0;text-decoration:none}.carousel-control-prev{left:0}.carousel-control-next{right:0}.carousel-control-next-icon,.carousel-control-prev-icon{background:50%/100% 100% no-repeat;display:inline-block;height:20px;width:20px}.carousel-control-prev-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='%23fff' width='8' height='8'%3E%3Cpath d='m5.25 0-4 4 4 4 1.5-1.5L4.25 4l2.5-2.5L5.25 0z'/%3E%3C/svg%3E\")}.carousel-control-next-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='%23fff' width='8' height='8'%3E%3Cpath d='m2.75 0-1.5 1.5L3.75 4l-2.5 2.5L2.75 8l4-4-4-4z'/%3E%3C/svg%3E\")}.carousel-indicators{bottom:0;display:flex;justify-content:center;left:0;list-style:none;margin-left:15%;margin-right:15%;padding-left:0;position:absolute;right:0;z-index:15}.carousel-indicators li{background-clip:padding-box;background-color:#fff;border-bottom:10px solid transparent;border-top:10px solid transparent;box-sizing:content-box;cursor:pointer;flex:0 1 auto;height:3px;margin-left:3px;margin-right:3px;opacity:.5;text-indent:-999px;transition:opacity .6s ease;width:30px}@media (prefers-reduced-motion:reduce){.carousel-indicators li{transition:none}}.carousel-indicators .active{opacity:1}.carousel-caption{bottom:20px;color:#fff;left:15%;padding-bottom:20px;padding-top:20px;position:absolute;right:15%;text-align:center;z-index:10}@keyframes spinner-border{to{transform:rotate(1turn)}}.spinner-border{animation:spinner-border .75s linear infinite;border:.25em solid;border-radius:50%;border-right:.25em solid transparent;display:inline-block;height:2rem;vertical-align:-.125em;width:2rem}.spinner-border-sm{border-width:.2em;height:1rem;width:1rem}@keyframes spinner-grow{0%{transform:scale(0)}50%{opacity:1;transform:none}}.spinner-grow{animation:spinner-grow .75s linear infinite;background-color:currentcolor;border-radius:50%;display:inline-block;height:2rem;opacity:0;vertical-align:-.125em;width:2rem}.spinner-grow-sm{height:1rem;width:1rem}@media (prefers-reduced-motion:reduce){.spinner-border,.spinner-grow{animation-duration:1.5s}}.align-baseline{vertical-align:baseline!important}.align-top{vertical-align:top!important}.align-middle{vertical-align:middle!important}.align-bottom{vertical-align:bottom!important}.align-text-bottom{vertical-align:text-bottom!important}.align-text-top{vertical-align:text-top!important}.bg-primary{background-color:#007bff!important}a.bg-primary:focus,a.bg-primary:hover,button.bg-primary:focus,button.bg-primary:hover{background-color:#0062cc!important}.bg-secondary{background-color:#6c757d!important}a.bg-secondary:focus,a.bg-secondary:hover,button.bg-secondary:focus,button.bg-secondary:hover{background-color:#545b62!important}.bg-success{background-color:#28a745!important}a.bg-success:focus,a.bg-success:hover,button.bg-success:focus,button.bg-success:hover{background-color:#1e7e34!important}.bg-info{background-color:#17a2b8!important}a.bg-info:focus,a.bg-info:hover,button.bg-info:focus,button.bg-info:hover{background-color:#117a8b!important}.bg-warning{background-color:#ffc107!important}a.bg-warning:focus,a.bg-warning:hover,button.bg-warning:focus,button.bg-warning:hover{background-color:#d39e00!important}.bg-danger{background-color:#dc3545!important}a.bg-danger:focus,a.bg-danger:hover,button.bg-danger:focus,button.bg-danger:hover{background-color:#bd2130!important}.bg-light{background-color:#f8f9fa!important}a.bg-light:focus,a.bg-light:hover,button.bg-light:focus,button.bg-light:hover{background-color:#dae0e5!important}.bg-dark{background-color:#343a40!important}a.bg-dark:focus,a.bg-dark:hover,button.bg-dark:focus,button.bg-dark:hover{background-color:#1d2124!important}.bg-white{background-color:#fff!important}.bg-transparent{background-color:transparent!important}.border{border:1px solid #dee2e6!important}.border-top{border-top:1px solid #dee2e6!important}.border-right{border-right:1px solid #dee2e6!important}.border-bottom{border-bottom:1px solid #dee2e6!important}.border-left{border-left:1px solid #dee2e6!important}.border-0{border:0!important}.border-top-0{border-top:0!important}.border-right-0{border-right:0!important}.border-bottom-0{border-bottom:0!important}.border-left-0{border-left:0!important}.border-primary{border-color:#007bff!important}.border-secondary{border-color:#6c757d!important}.border-success{border-color:#28a745!important}.border-info{border-color:#17a2b8!important}.border-warning{border-color:#ffc107!important}.border-danger{border-color:#dc3545!important}.border-light{border-color:#f8f9fa!important}.border-dark{border-color:#343a40!important}.border-white{border-color:#fff!important}.rounded-sm{border-radius:.2rem!important}.rounded{border-radius:.25rem!important}.rounded-top{border-top-left-radius:.25rem!important}.rounded-right,.rounded-top{border-top-right-radius:.25rem!important}.rounded-bottom,.rounded-right{border-bottom-right-radius:.25rem!important}.rounded-bottom,.rounded-left{border-bottom-left-radius:.25rem!important}.rounded-left{border-top-left-radius:.25rem!important}.rounded-lg{border-radius:.3rem!important}.rounded-circle{border-radius:50%!important}.remote-auth-getting-started .other-server-btn,.remote-auth-getting-started .server-btn,.rounded-pill{border-radius:50rem!important}.rounded-0{border-radius:0!important}.clearfix:after{clear:both;content:\"\";display:block}.d-none{display:none!important}.d-inline{display:inline!important}.d-inline-block{display:inline-block!important}.d-block{display:block!important}.d-table{display:table!important}.d-table-row{display:table-row!important}.d-table-cell{display:table-cell!important}.d-flex{display:flex!important}.d-inline-flex{display:inline-flex!important}@media (min-width:576px){.d-sm-none{display:none!important}.d-sm-inline{display:inline!important}.d-sm-inline-block{display:inline-block!important}.d-sm-block{display:block!important}.d-sm-table{display:table!important}.d-sm-table-row{display:table-row!important}.d-sm-table-cell{display:table-cell!important}.d-sm-flex{display:flex!important}.d-sm-inline-flex{display:inline-flex!important}}@media (min-width:768px){.d-md-none{display:none!important}.d-md-inline{display:inline!important}.d-md-inline-block{display:inline-block!important}.d-md-block{display:block!important}.d-md-table{display:table!important}.d-md-table-row{display:table-row!important}.d-md-table-cell{display:table-cell!important}.d-md-flex{display:flex!important}.d-md-inline-flex{display:inline-flex!important}}@media (min-width:992px){.d-lg-none{display:none!important}.d-lg-inline{display:inline!important}.d-lg-inline-block{display:inline-block!important}.d-lg-block{display:block!important}.d-lg-table{display:table!important}.d-lg-table-row{display:table-row!important}.d-lg-table-cell{display:table-cell!important}.d-lg-flex{display:flex!important}.d-lg-inline-flex{display:inline-flex!important}}@media (min-width:1200px){.d-xl-none{display:none!important}.d-xl-inline{display:inline!important}.d-xl-inline-block{display:inline-block!important}.d-xl-block{display:block!important}.d-xl-table{display:table!important}.d-xl-table-row{display:table-row!important}.d-xl-table-cell{display:table-cell!important}.d-xl-flex{display:flex!important}.d-xl-inline-flex{display:inline-flex!important}}@media print{.d-print-none{display:none!important}.d-print-inline{display:inline!important}.d-print-inline-block{display:inline-block!important}.d-print-block{display:block!important}.d-print-table{display:table!important}.d-print-table-row{display:table-row!important}.d-print-table-cell{display:table-cell!important}.d-print-flex{display:flex!important}.d-print-inline-flex{display:inline-flex!important}}.embed-responsive{display:block;overflow:hidden;padding:0;position:relative;width:100%}.embed-responsive:before{content:\"\";display:block}.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{border:0;bottom:0;height:100%;left:0;position:absolute;top:0;width:100%}.embed-responsive-21by9:before{padding-top:42.85714286%}.embed-responsive-16by9:before{padding-top:56.25%}.embed-responsive-4by3:before{padding-top:75%}.embed-responsive-1by1:before{padding-top:100%}.flex-row{flex-direction:row!important}.flex-column{flex-direction:column!important}.flex-row-reverse{flex-direction:row-reverse!important}.flex-column-reverse{flex-direction:column-reverse!important}.flex-wrap{flex-wrap:wrap!important}.flex-nowrap{flex-wrap:nowrap!important}.flex-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-fill{flex:1 1 auto!important}.flex-grow-0{flex-grow:0!important}.flex-grow-1{flex-grow:1!important}.flex-shrink-0{flex-shrink:0!important}.flex-shrink-1{flex-shrink:1!important}.justify-content-start{justify-content:flex-start!important}.justify-content-end{justify-content:flex-end!important}.justify-content-center{justify-content:center!important}.justify-content-between{justify-content:space-between!important}.justify-content-around{justify-content:space-around!important}.align-items-start{align-items:flex-start!important}.align-items-end{align-items:flex-end!important}.align-items-center{align-items:center!important}.align-items-baseline{align-items:baseline!important}.align-items-stretch{align-items:stretch!important}.align-content-start{align-content:flex-start!important}.align-content-end{align-content:flex-end!important}.align-content-center{align-content:center!important}.align-content-between{align-content:space-between!important}.align-content-around{align-content:space-around!important}.align-content-stretch{align-content:stretch!important}.align-self-auto{align-self:auto!important}.align-self-start{align-self:flex-start!important}.align-self-end{align-self:flex-end!important}.align-self-center{align-self:center!important}.align-self-baseline{align-self:baseline!important}.align-self-stretch{align-self:stretch!important}@media (min-width:576px){.flex-sm-row{flex-direction:row!important}.flex-sm-column{flex-direction:column!important}.flex-sm-row-reverse{flex-direction:row-reverse!important}.flex-sm-column-reverse{flex-direction:column-reverse!important}.flex-sm-wrap{flex-wrap:wrap!important}.flex-sm-nowrap{flex-wrap:nowrap!important}.flex-sm-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-sm-fill{flex:1 1 auto!important}.flex-sm-grow-0{flex-grow:0!important}.flex-sm-grow-1{flex-grow:1!important}.flex-sm-shrink-0{flex-shrink:0!important}.flex-sm-shrink-1{flex-shrink:1!important}.justify-content-sm-start{justify-content:flex-start!important}.justify-content-sm-end{justify-content:flex-end!important}.justify-content-sm-center{justify-content:center!important}.justify-content-sm-between{justify-content:space-between!important}.justify-content-sm-around{justify-content:space-around!important}.align-items-sm-start{align-items:flex-start!important}.align-items-sm-end{align-items:flex-end!important}.align-items-sm-center{align-items:center!important}.align-items-sm-baseline{align-items:baseline!important}.align-items-sm-stretch{align-items:stretch!important}.align-content-sm-start{align-content:flex-start!important}.align-content-sm-end{align-content:flex-end!important}.align-content-sm-center{align-content:center!important}.align-content-sm-between{align-content:space-between!important}.align-content-sm-around{align-content:space-around!important}.align-content-sm-stretch{align-content:stretch!important}.align-self-sm-auto{align-self:auto!important}.align-self-sm-start{align-self:flex-start!important}.align-self-sm-end{align-self:flex-end!important}.align-self-sm-center{align-self:center!important}.align-self-sm-baseline{align-self:baseline!important}.align-self-sm-stretch{align-self:stretch!important}}@media (min-width:768px){.flex-md-row{flex-direction:row!important}.flex-md-column{flex-direction:column!important}.flex-md-row-reverse{flex-direction:row-reverse!important}.flex-md-column-reverse{flex-direction:column-reverse!important}.flex-md-wrap{flex-wrap:wrap!important}.flex-md-nowrap{flex-wrap:nowrap!important}.flex-md-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-md-fill{flex:1 1 auto!important}.flex-md-grow-0{flex-grow:0!important}.flex-md-grow-1{flex-grow:1!important}.flex-md-shrink-0{flex-shrink:0!important}.flex-md-shrink-1{flex-shrink:1!important}.justify-content-md-start{justify-content:flex-start!important}.justify-content-md-end{justify-content:flex-end!important}.justify-content-md-center{justify-content:center!important}.justify-content-md-between{justify-content:space-between!important}.justify-content-md-around{justify-content:space-around!important}.align-items-md-start{align-items:flex-start!important}.align-items-md-end{align-items:flex-end!important}.align-items-md-center{align-items:center!important}.align-items-md-baseline{align-items:baseline!important}.align-items-md-stretch{align-items:stretch!important}.align-content-md-start{align-content:flex-start!important}.align-content-md-end{align-content:flex-end!important}.align-content-md-center{align-content:center!important}.align-content-md-between{align-content:space-between!important}.align-content-md-around{align-content:space-around!important}.align-content-md-stretch{align-content:stretch!important}.align-self-md-auto{align-self:auto!important}.align-self-md-start{align-self:flex-start!important}.align-self-md-end{align-self:flex-end!important}.align-self-md-center{align-self:center!important}.align-self-md-baseline{align-self:baseline!important}.align-self-md-stretch{align-self:stretch!important}}@media (min-width:992px){.flex-lg-row{flex-direction:row!important}.flex-lg-column{flex-direction:column!important}.flex-lg-row-reverse{flex-direction:row-reverse!important}.flex-lg-column-reverse{flex-direction:column-reverse!important}.flex-lg-wrap{flex-wrap:wrap!important}.flex-lg-nowrap{flex-wrap:nowrap!important}.flex-lg-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-lg-fill{flex:1 1 auto!important}.flex-lg-grow-0{flex-grow:0!important}.flex-lg-grow-1{flex-grow:1!important}.flex-lg-shrink-0{flex-shrink:0!important}.flex-lg-shrink-1{flex-shrink:1!important}.justify-content-lg-start{justify-content:flex-start!important}.justify-content-lg-end{justify-content:flex-end!important}.justify-content-lg-center{justify-content:center!important}.justify-content-lg-between{justify-content:space-between!important}.justify-content-lg-around{justify-content:space-around!important}.align-items-lg-start{align-items:flex-start!important}.align-items-lg-end{align-items:flex-end!important}.align-items-lg-center{align-items:center!important}.align-items-lg-baseline{align-items:baseline!important}.align-items-lg-stretch{align-items:stretch!important}.align-content-lg-start{align-content:flex-start!important}.align-content-lg-end{align-content:flex-end!important}.align-content-lg-center{align-content:center!important}.align-content-lg-between{align-content:space-between!important}.align-content-lg-around{align-content:space-around!important}.align-content-lg-stretch{align-content:stretch!important}.align-self-lg-auto{align-self:auto!important}.align-self-lg-start{align-self:flex-start!important}.align-self-lg-end{align-self:flex-end!important}.align-self-lg-center{align-self:center!important}.align-self-lg-baseline{align-self:baseline!important}.align-self-lg-stretch{align-self:stretch!important}}@media (min-width:1200px){.flex-xl-row{flex-direction:row!important}.flex-xl-column{flex-direction:column!important}.flex-xl-row-reverse{flex-direction:row-reverse!important}.flex-xl-column-reverse{flex-direction:column-reverse!important}.flex-xl-wrap{flex-wrap:wrap!important}.flex-xl-nowrap{flex-wrap:nowrap!important}.flex-xl-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-xl-fill{flex:1 1 auto!important}.flex-xl-grow-0{flex-grow:0!important}.flex-xl-grow-1{flex-grow:1!important}.flex-xl-shrink-0{flex-shrink:0!important}.flex-xl-shrink-1{flex-shrink:1!important}.justify-content-xl-start{justify-content:flex-start!important}.justify-content-xl-end{justify-content:flex-end!important}.justify-content-xl-center{justify-content:center!important}.justify-content-xl-between{justify-content:space-between!important}.justify-content-xl-around{justify-content:space-around!important}.align-items-xl-start{align-items:flex-start!important}.align-items-xl-end{align-items:flex-end!important}.align-items-xl-center{align-items:center!important}.align-items-xl-baseline{align-items:baseline!important}.align-items-xl-stretch{align-items:stretch!important}.align-content-xl-start{align-content:flex-start!important}.align-content-xl-end{align-content:flex-end!important}.align-content-xl-center{align-content:center!important}.align-content-xl-between{align-content:space-between!important}.align-content-xl-around{align-content:space-around!important}.align-content-xl-stretch{align-content:stretch!important}.align-self-xl-auto{align-self:auto!important}.align-self-xl-start{align-self:flex-start!important}.align-self-xl-end{align-self:flex-end!important}.align-self-xl-center{align-self:center!important}.align-self-xl-baseline{align-self:baseline!important}.align-self-xl-stretch{align-self:stretch!important}}.float-left{float:left!important}.float-right{float:right!important}.float-none{float:none!important}@media (min-width:576px){.float-sm-left{float:left!important}.float-sm-right{float:right!important}.float-sm-none{float:none!important}}@media (min-width:768px){.float-md-left{float:left!important}.float-md-right{float:right!important}.float-md-none{float:none!important}}@media (min-width:992px){.float-lg-left{float:left!important}.float-lg-right{float:right!important}.float-lg-none{float:none!important}}@media (min-width:1200px){.float-xl-left{float:left!important}.float-xl-right{float:right!important}.float-xl-none{float:none!important}}.user-select-all{-webkit-user-select:all!important;-moz-user-select:all!important;user-select:all!important}.user-select-auto{-webkit-user-select:auto!important;-moz-user-select:auto!important;user-select:auto!important}.user-select-none{-webkit-user-select:none!important;-moz-user-select:none!important;user-select:none!important}.overflow-auto{overflow:auto!important}.overflow-hidden{overflow:hidden!important}.position-static{position:static!important}.position-relative{position:relative!important}.position-absolute{position:absolute!important}.position-fixed{position:fixed!important}.position-sticky{position:sticky!important}.fixed-top{top:0}.fixed-bottom,.fixed-top{left:0;position:fixed;right:0;z-index:1030}.fixed-bottom{bottom:0}@supports (position:sticky){.sticky-top{position:sticky;top:0;z-index:1020}}.sr-only{clip:rect(0,0,0,0);border:0;height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.sr-only-focusable:active,.sr-only-focusable:focus{clip:auto;height:auto;overflow:visible;position:static;white-space:normal;width:auto}.shadow-sm{box-shadow:0 .125rem .25rem rgba(0,0,0,.075)!important}.shadow{box-shadow:0 .5rem 1rem rgba(0,0,0,.15)!important}.shadow-lg{box-shadow:0 1rem 3rem rgba(0,0,0,.175)!important}.shadow-none{box-shadow:none!important}.w-25{width:25%!important}.w-50{width:50%!important}.w-75{width:75%!important}.w-100{width:100%!important}.w-auto{width:auto!important}.h-25{height:25%!important}.h-50{height:50%!important}.h-75{height:75%!important}.h-100{height:100%!important}.h-auto{height:auto!important}.mw-100{max-width:100%!important}.mh-100{max-height:100%!important}.min-vw-100{min-width:100vw!important}.min-vh-100{min-height:100vh!important}.vw-100{width:100vw!important}.vh-100{height:100vh!important}.m-0{margin:0!important}.mt-0,.my-0{margin-top:0!important}.mr-0,.mx-0{margin-right:0!important}.mb-0,.my-0{margin-bottom:0!important}.ml-0,.mx-0{margin-left:0!important}.m-1{margin:.25rem!important}.mt-1,.my-1{margin-top:.25rem!important}.mr-1,.mx-1{margin-right:.25rem!important}.mb-1,.my-1{margin-bottom:.25rem!important}.ml-1,.mx-1{margin-left:.25rem!important}.m-2{margin:.5rem!important}.mt-2,.my-2{margin-top:.5rem!important}.mr-2,.mx-2{margin-right:.5rem!important}.mb-2,.my-2{margin-bottom:.5rem!important}.ml-2,.mx-2{margin-left:.5rem!important}.m-3{margin:1rem!important}.mt-3,.my-3{margin-top:1rem!important}.mr-3,.mx-3{margin-right:1rem!important}.mb-3,.my-3{margin-bottom:1rem!important}.ml-3,.mx-3{margin-left:1rem!important}.m-4{margin:1.5rem!important}.mt-4,.my-4{margin-top:1.5rem!important}.mr-4,.mx-4{margin-right:1.5rem!important}.mb-4,.my-4{margin-bottom:1.5rem!important}.ml-4,.mx-4{margin-left:1.5rem!important}.m-5{margin:3rem!important}.mt-5,.my-5{margin-top:3rem!important}.mr-5,.mx-5{margin-right:3rem!important}.mb-5,.my-5{margin-bottom:3rem!important}.ml-5,.mx-5{margin-left:3rem!important}.p-0{padding:0!important}.pt-0,.py-0{padding-top:0!important}.pr-0,.px-0{padding-right:0!important}.pb-0,.py-0{padding-bottom:0!important}.pl-0,.px-0{padding-left:0!important}.p-1{padding:.25rem!important}.pt-1,.py-1{padding-top:.25rem!important}.pr-1,.px-1{padding-right:.25rem!important}.pb-1,.py-1{padding-bottom:.25rem!important}.pl-1,.px-1{padding-left:.25rem!important}.p-2{padding:.5rem!important}.pt-2,.py-2{padding-top:.5rem!important}.pr-2,.px-2{padding-right:.5rem!important}.pb-2,.py-2{padding-bottom:.5rem!important}.pl-2,.px-2{padding-left:.5rem!important}.p-3{padding:1rem!important}.pt-3,.py-3{padding-top:1rem!important}.pr-3,.px-3{padding-right:1rem!important}.pb-3,.py-3{padding-bottom:1rem!important}.pl-3,.px-3{padding-left:1rem!important}.p-4{padding:1.5rem!important}.pt-4,.py-4{padding-top:1.5rem!important}.pr-4,.px-4{padding-right:1.5rem!important}.pb-4,.py-4{padding-bottom:1.5rem!important}.pl-4,.px-4{padding-left:1.5rem!important}.p-5{padding:3rem!important}.pt-5,.py-5{padding-top:3rem!important}.pr-5,.px-5{padding-right:3rem!important}.pb-5,.py-5{padding-bottom:3rem!important}.pl-5,.px-5{padding-left:3rem!important}.m-n1{margin:-.25rem!important}.mt-n1,.my-n1{margin-top:-.25rem!important}.mr-n1,.mx-n1{margin-right:-.25rem!important}.mb-n1,.my-n1{margin-bottom:-.25rem!important}.ml-n1,.mx-n1{margin-left:-.25rem!important}.m-n2{margin:-.5rem!important}.mt-n2,.my-n2{margin-top:-.5rem!important}.mr-n2,.mx-n2{margin-right:-.5rem!important}.mb-n2,.my-n2{margin-bottom:-.5rem!important}.ml-n2,.mx-n2{margin-left:-.5rem!important}.m-n3{margin:-1rem!important}.mt-n3,.my-n3{margin-top:-1rem!important}.mr-n3,.mx-n3{margin-right:-1rem!important}.mb-n3,.my-n3{margin-bottom:-1rem!important}.ml-n3,.mx-n3{margin-left:-1rem!important}.m-n4{margin:-1.5rem!important}.mt-n4,.my-n4{margin-top:-1.5rem!important}.mr-n4,.mx-n4{margin-right:-1.5rem!important}.mb-n4,.my-n4{margin-bottom:-1.5rem!important}.ml-n4,.mx-n4{margin-left:-1.5rem!important}.m-n5{margin:-3rem!important}.mt-n5,.my-n5{margin-top:-3rem!important}.mr-n5,.mx-n5{margin-right:-3rem!important}.mb-n5,.my-n5{margin-bottom:-3rem!important}.ml-n5,.mx-n5{margin-left:-3rem!important}.m-auto{margin:auto!important}.mt-auto,.my-auto{margin-top:auto!important}.mr-auto,.mx-auto{margin-right:auto!important}.mb-auto,.my-auto{margin-bottom:auto!important}.ml-auto,.mx-auto{margin-left:auto!important}@media (min-width:576px){.m-sm-0{margin:0!important}.mt-sm-0,.my-sm-0{margin-top:0!important}.mr-sm-0,.mx-sm-0{margin-right:0!important}.mb-sm-0,.my-sm-0{margin-bottom:0!important}.ml-sm-0,.mx-sm-0{margin-left:0!important}.m-sm-1{margin:.25rem!important}.mt-sm-1,.my-sm-1{margin-top:.25rem!important}.mr-sm-1,.mx-sm-1{margin-right:.25rem!important}.mb-sm-1,.my-sm-1{margin-bottom:.25rem!important}.ml-sm-1,.mx-sm-1{margin-left:.25rem!important}.m-sm-2{margin:.5rem!important}.mt-sm-2,.my-sm-2{margin-top:.5rem!important}.mr-sm-2,.mx-sm-2{margin-right:.5rem!important}.mb-sm-2,.my-sm-2{margin-bottom:.5rem!important}.ml-sm-2,.mx-sm-2{margin-left:.5rem!important}.m-sm-3{margin:1rem!important}.mt-sm-3,.my-sm-3{margin-top:1rem!important}.mr-sm-3,.mx-sm-3{margin-right:1rem!important}.mb-sm-3,.my-sm-3{margin-bottom:1rem!important}.ml-sm-3,.mx-sm-3{margin-left:1rem!important}.m-sm-4{margin:1.5rem!important}.mt-sm-4,.my-sm-4{margin-top:1.5rem!important}.mr-sm-4,.mx-sm-4{margin-right:1.5rem!important}.mb-sm-4,.my-sm-4{margin-bottom:1.5rem!important}.ml-sm-4,.mx-sm-4{margin-left:1.5rem!important}.m-sm-5{margin:3rem!important}.mt-sm-5,.my-sm-5{margin-top:3rem!important}.mr-sm-5,.mx-sm-5{margin-right:3rem!important}.mb-sm-5,.my-sm-5{margin-bottom:3rem!important}.ml-sm-5,.mx-sm-5{margin-left:3rem!important}.p-sm-0{padding:0!important}.pt-sm-0,.py-sm-0{padding-top:0!important}.pr-sm-0,.px-sm-0{padding-right:0!important}.pb-sm-0,.py-sm-0{padding-bottom:0!important}.pl-sm-0,.px-sm-0{padding-left:0!important}.p-sm-1{padding:.25rem!important}.pt-sm-1,.py-sm-1{padding-top:.25rem!important}.pr-sm-1,.px-sm-1{padding-right:.25rem!important}.pb-sm-1,.py-sm-1{padding-bottom:.25rem!important}.pl-sm-1,.px-sm-1{padding-left:.25rem!important}.p-sm-2{padding:.5rem!important}.pt-sm-2,.py-sm-2{padding-top:.5rem!important}.pr-sm-2,.px-sm-2{padding-right:.5rem!important}.pb-sm-2,.py-sm-2{padding-bottom:.5rem!important}.pl-sm-2,.px-sm-2{padding-left:.5rem!important}.p-sm-3{padding:1rem!important}.pt-sm-3,.py-sm-3{padding-top:1rem!important}.pr-sm-3,.px-sm-3{padding-right:1rem!important}.pb-sm-3,.py-sm-3{padding-bottom:1rem!important}.pl-sm-3,.px-sm-3{padding-left:1rem!important}.p-sm-4{padding:1.5rem!important}.pt-sm-4,.py-sm-4{padding-top:1.5rem!important}.pr-sm-4,.px-sm-4{padding-right:1.5rem!important}.pb-sm-4,.py-sm-4{padding-bottom:1.5rem!important}.pl-sm-4,.px-sm-4{padding-left:1.5rem!important}.p-sm-5{padding:3rem!important}.pt-sm-5,.py-sm-5{padding-top:3rem!important}.pr-sm-5,.px-sm-5{padding-right:3rem!important}.pb-sm-5,.py-sm-5{padding-bottom:3rem!important}.pl-sm-5,.px-sm-5{padding-left:3rem!important}.m-sm-n1{margin:-.25rem!important}.mt-sm-n1,.my-sm-n1{margin-top:-.25rem!important}.mr-sm-n1,.mx-sm-n1{margin-right:-.25rem!important}.mb-sm-n1,.my-sm-n1{margin-bottom:-.25rem!important}.ml-sm-n1,.mx-sm-n1{margin-left:-.25rem!important}.m-sm-n2{margin:-.5rem!important}.mt-sm-n2,.my-sm-n2{margin-top:-.5rem!important}.mr-sm-n2,.mx-sm-n2{margin-right:-.5rem!important}.mb-sm-n2,.my-sm-n2{margin-bottom:-.5rem!important}.ml-sm-n2,.mx-sm-n2{margin-left:-.5rem!important}.m-sm-n3{margin:-1rem!important}.mt-sm-n3,.my-sm-n3{margin-top:-1rem!important}.mr-sm-n3,.mx-sm-n3{margin-right:-1rem!important}.mb-sm-n3,.my-sm-n3{margin-bottom:-1rem!important}.ml-sm-n3,.mx-sm-n3{margin-left:-1rem!important}.m-sm-n4{margin:-1.5rem!important}.mt-sm-n4,.my-sm-n4{margin-top:-1.5rem!important}.mr-sm-n4,.mx-sm-n4{margin-right:-1.5rem!important}.mb-sm-n4,.my-sm-n4{margin-bottom:-1.5rem!important}.ml-sm-n4,.mx-sm-n4{margin-left:-1.5rem!important}.m-sm-n5{margin:-3rem!important}.mt-sm-n5,.my-sm-n5{margin-top:-3rem!important}.mr-sm-n5,.mx-sm-n5{margin-right:-3rem!important}.mb-sm-n5,.my-sm-n5{margin-bottom:-3rem!important}.ml-sm-n5,.mx-sm-n5{margin-left:-3rem!important}.m-sm-auto{margin:auto!important}.mt-sm-auto,.my-sm-auto{margin-top:auto!important}.mr-sm-auto,.mx-sm-auto{margin-right:auto!important}.mb-sm-auto,.my-sm-auto{margin-bottom:auto!important}.ml-sm-auto,.mx-sm-auto{margin-left:auto!important}}@media (min-width:768px){.m-md-0{margin:0!important}.mt-md-0,.my-md-0{margin-top:0!important}.mr-md-0,.mx-md-0{margin-right:0!important}.mb-md-0,.my-md-0{margin-bottom:0!important}.ml-md-0,.mx-md-0{margin-left:0!important}.m-md-1{margin:.25rem!important}.mt-md-1,.my-md-1{margin-top:.25rem!important}.mr-md-1,.mx-md-1{margin-right:.25rem!important}.mb-md-1,.my-md-1{margin-bottom:.25rem!important}.ml-md-1,.mx-md-1{margin-left:.25rem!important}.m-md-2{margin:.5rem!important}.mt-md-2,.my-md-2{margin-top:.5rem!important}.mr-md-2,.mx-md-2{margin-right:.5rem!important}.mb-md-2,.my-md-2{margin-bottom:.5rem!important}.ml-md-2,.mx-md-2{margin-left:.5rem!important}.m-md-3{margin:1rem!important}.mt-md-3,.my-md-3{margin-top:1rem!important}.mr-md-3,.mx-md-3{margin-right:1rem!important}.mb-md-3,.my-md-3{margin-bottom:1rem!important}.ml-md-3,.mx-md-3{margin-left:1rem!important}.m-md-4{margin:1.5rem!important}.mt-md-4,.my-md-4{margin-top:1.5rem!important}.mr-md-4,.mx-md-4{margin-right:1.5rem!important}.mb-md-4,.my-md-4{margin-bottom:1.5rem!important}.ml-md-4,.mx-md-4{margin-left:1.5rem!important}.m-md-5{margin:3rem!important}.mt-md-5,.my-md-5{margin-top:3rem!important}.mr-md-5,.mx-md-5{margin-right:3rem!important}.mb-md-5,.my-md-5{margin-bottom:3rem!important}.ml-md-5,.mx-md-5{margin-left:3rem!important}.p-md-0{padding:0!important}.pt-md-0,.py-md-0{padding-top:0!important}.pr-md-0,.px-md-0{padding-right:0!important}.pb-md-0,.py-md-0{padding-bottom:0!important}.pl-md-0,.px-md-0{padding-left:0!important}.p-md-1{padding:.25rem!important}.pt-md-1,.py-md-1{padding-top:.25rem!important}.pr-md-1,.px-md-1{padding-right:.25rem!important}.pb-md-1,.py-md-1{padding-bottom:.25rem!important}.pl-md-1,.px-md-1{padding-left:.25rem!important}.p-md-2{padding:.5rem!important}.pt-md-2,.py-md-2{padding-top:.5rem!important}.pr-md-2,.px-md-2{padding-right:.5rem!important}.pb-md-2,.py-md-2{padding-bottom:.5rem!important}.pl-md-2,.px-md-2{padding-left:.5rem!important}.p-md-3{padding:1rem!important}.pt-md-3,.py-md-3{padding-top:1rem!important}.pr-md-3,.px-md-3{padding-right:1rem!important}.pb-md-3,.py-md-3{padding-bottom:1rem!important}.pl-md-3,.px-md-3{padding-left:1rem!important}.p-md-4{padding:1.5rem!important}.pt-md-4,.py-md-4{padding-top:1.5rem!important}.pr-md-4,.px-md-4{padding-right:1.5rem!important}.pb-md-4,.py-md-4{padding-bottom:1.5rem!important}.pl-md-4,.px-md-4{padding-left:1.5rem!important}.p-md-5{padding:3rem!important}.pt-md-5,.py-md-5{padding-top:3rem!important}.pr-md-5,.px-md-5{padding-right:3rem!important}.pb-md-5,.py-md-5{padding-bottom:3rem!important}.pl-md-5,.px-md-5{padding-left:3rem!important}.m-md-n1{margin:-.25rem!important}.mt-md-n1,.my-md-n1{margin-top:-.25rem!important}.mr-md-n1,.mx-md-n1{margin-right:-.25rem!important}.mb-md-n1,.my-md-n1{margin-bottom:-.25rem!important}.ml-md-n1,.mx-md-n1{margin-left:-.25rem!important}.m-md-n2{margin:-.5rem!important}.mt-md-n2,.my-md-n2{margin-top:-.5rem!important}.mr-md-n2,.mx-md-n2{margin-right:-.5rem!important}.mb-md-n2,.my-md-n2{margin-bottom:-.5rem!important}.ml-md-n2,.mx-md-n2{margin-left:-.5rem!important}.m-md-n3{margin:-1rem!important}.mt-md-n3,.my-md-n3{margin-top:-1rem!important}.mr-md-n3,.mx-md-n3{margin-right:-1rem!important}.mb-md-n3,.my-md-n3{margin-bottom:-1rem!important}.ml-md-n3,.mx-md-n3{margin-left:-1rem!important}.m-md-n4{margin:-1.5rem!important}.mt-md-n4,.my-md-n4{margin-top:-1.5rem!important}.mr-md-n4,.mx-md-n4{margin-right:-1.5rem!important}.mb-md-n4,.my-md-n4{margin-bottom:-1.5rem!important}.ml-md-n4,.mx-md-n4{margin-left:-1.5rem!important}.m-md-n5{margin:-3rem!important}.mt-md-n5,.my-md-n5{margin-top:-3rem!important}.mr-md-n5,.mx-md-n5{margin-right:-3rem!important}.mb-md-n5,.my-md-n5{margin-bottom:-3rem!important}.ml-md-n5,.mx-md-n5{margin-left:-3rem!important}.m-md-auto{margin:auto!important}.mt-md-auto,.my-md-auto{margin-top:auto!important}.mr-md-auto,.mx-md-auto{margin-right:auto!important}.mb-md-auto,.my-md-auto{margin-bottom:auto!important}.ml-md-auto,.mx-md-auto{margin-left:auto!important}}@media (min-width:992px){.m-lg-0{margin:0!important}.mt-lg-0,.my-lg-0{margin-top:0!important}.mr-lg-0,.mx-lg-0{margin-right:0!important}.mb-lg-0,.my-lg-0{margin-bottom:0!important}.ml-lg-0,.mx-lg-0{margin-left:0!important}.m-lg-1{margin:.25rem!important}.mt-lg-1,.my-lg-1{margin-top:.25rem!important}.mr-lg-1,.mx-lg-1{margin-right:.25rem!important}.mb-lg-1,.my-lg-1{margin-bottom:.25rem!important}.ml-lg-1,.mx-lg-1{margin-left:.25rem!important}.m-lg-2{margin:.5rem!important}.mt-lg-2,.my-lg-2{margin-top:.5rem!important}.mr-lg-2,.mx-lg-2{margin-right:.5rem!important}.mb-lg-2,.my-lg-2{margin-bottom:.5rem!important}.ml-lg-2,.mx-lg-2{margin-left:.5rem!important}.m-lg-3{margin:1rem!important}.mt-lg-3,.my-lg-3{margin-top:1rem!important}.mr-lg-3,.mx-lg-3{margin-right:1rem!important}.mb-lg-3,.my-lg-3{margin-bottom:1rem!important}.ml-lg-3,.mx-lg-3{margin-left:1rem!important}.m-lg-4{margin:1.5rem!important}.mt-lg-4,.my-lg-4{margin-top:1.5rem!important}.mr-lg-4,.mx-lg-4{margin-right:1.5rem!important}.mb-lg-4,.my-lg-4{margin-bottom:1.5rem!important}.ml-lg-4,.mx-lg-4{margin-left:1.5rem!important}.m-lg-5{margin:3rem!important}.mt-lg-5,.my-lg-5{margin-top:3rem!important}.mr-lg-5,.mx-lg-5{margin-right:3rem!important}.mb-lg-5,.my-lg-5{margin-bottom:3rem!important}.ml-lg-5,.mx-lg-5{margin-left:3rem!important}.p-lg-0{padding:0!important}.pt-lg-0,.py-lg-0{padding-top:0!important}.pr-lg-0,.px-lg-0{padding-right:0!important}.pb-lg-0,.py-lg-0{padding-bottom:0!important}.pl-lg-0,.px-lg-0{padding-left:0!important}.p-lg-1{padding:.25rem!important}.pt-lg-1,.py-lg-1{padding-top:.25rem!important}.pr-lg-1,.px-lg-1{padding-right:.25rem!important}.pb-lg-1,.py-lg-1{padding-bottom:.25rem!important}.pl-lg-1,.px-lg-1{padding-left:.25rem!important}.p-lg-2{padding:.5rem!important}.pt-lg-2,.py-lg-2{padding-top:.5rem!important}.pr-lg-2,.px-lg-2{padding-right:.5rem!important}.pb-lg-2,.py-lg-2{padding-bottom:.5rem!important}.pl-lg-2,.px-lg-2{padding-left:.5rem!important}.p-lg-3{padding:1rem!important}.pt-lg-3,.py-lg-3{padding-top:1rem!important}.pr-lg-3,.px-lg-3{padding-right:1rem!important}.pb-lg-3,.py-lg-3{padding-bottom:1rem!important}.pl-lg-3,.px-lg-3{padding-left:1rem!important}.p-lg-4{padding:1.5rem!important}.pt-lg-4,.py-lg-4{padding-top:1.5rem!important}.pr-lg-4,.px-lg-4{padding-right:1.5rem!important}.pb-lg-4,.py-lg-4{padding-bottom:1.5rem!important}.pl-lg-4,.px-lg-4{padding-left:1.5rem!important}.p-lg-5{padding:3rem!important}.pt-lg-5,.py-lg-5{padding-top:3rem!important}.pr-lg-5,.px-lg-5{padding-right:3rem!important}.pb-lg-5,.py-lg-5{padding-bottom:3rem!important}.pl-lg-5,.px-lg-5{padding-left:3rem!important}.m-lg-n1{margin:-.25rem!important}.mt-lg-n1,.my-lg-n1{margin-top:-.25rem!important}.mr-lg-n1,.mx-lg-n1{margin-right:-.25rem!important}.mb-lg-n1,.my-lg-n1{margin-bottom:-.25rem!important}.ml-lg-n1,.mx-lg-n1{margin-left:-.25rem!important}.m-lg-n2{margin:-.5rem!important}.mt-lg-n2,.my-lg-n2{margin-top:-.5rem!important}.mr-lg-n2,.mx-lg-n2{margin-right:-.5rem!important}.mb-lg-n2,.my-lg-n2{margin-bottom:-.5rem!important}.ml-lg-n2,.mx-lg-n2{margin-left:-.5rem!important}.m-lg-n3{margin:-1rem!important}.mt-lg-n3,.my-lg-n3{margin-top:-1rem!important}.mr-lg-n3,.mx-lg-n3{margin-right:-1rem!important}.mb-lg-n3,.my-lg-n3{margin-bottom:-1rem!important}.ml-lg-n3,.mx-lg-n3{margin-left:-1rem!important}.m-lg-n4{margin:-1.5rem!important}.mt-lg-n4,.my-lg-n4{margin-top:-1.5rem!important}.mr-lg-n4,.mx-lg-n4{margin-right:-1.5rem!important}.mb-lg-n4,.my-lg-n4{margin-bottom:-1.5rem!important}.ml-lg-n4,.mx-lg-n4{margin-left:-1.5rem!important}.m-lg-n5{margin:-3rem!important}.mt-lg-n5,.my-lg-n5{margin-top:-3rem!important}.mr-lg-n5,.mx-lg-n5{margin-right:-3rem!important}.mb-lg-n5,.my-lg-n5{margin-bottom:-3rem!important}.ml-lg-n5,.mx-lg-n5{margin-left:-3rem!important}.m-lg-auto{margin:auto!important}.mt-lg-auto,.my-lg-auto{margin-top:auto!important}.mr-lg-auto,.mx-lg-auto{margin-right:auto!important}.mb-lg-auto,.my-lg-auto{margin-bottom:auto!important}.ml-lg-auto,.mx-lg-auto{margin-left:auto!important}}@media (min-width:1200px){.m-xl-0{margin:0!important}.mt-xl-0,.my-xl-0{margin-top:0!important}.mr-xl-0,.mx-xl-0{margin-right:0!important}.mb-xl-0,.my-xl-0{margin-bottom:0!important}.ml-xl-0,.mx-xl-0{margin-left:0!important}.m-xl-1{margin:.25rem!important}.mt-xl-1,.my-xl-1{margin-top:.25rem!important}.mr-xl-1,.mx-xl-1{margin-right:.25rem!important}.mb-xl-1,.my-xl-1{margin-bottom:.25rem!important}.ml-xl-1,.mx-xl-1{margin-left:.25rem!important}.m-xl-2{margin:.5rem!important}.mt-xl-2,.my-xl-2{margin-top:.5rem!important}.mr-xl-2,.mx-xl-2{margin-right:.5rem!important}.mb-xl-2,.my-xl-2{margin-bottom:.5rem!important}.ml-xl-2,.mx-xl-2{margin-left:.5rem!important}.m-xl-3{margin:1rem!important}.mt-xl-3,.my-xl-3{margin-top:1rem!important}.mr-xl-3,.mx-xl-3{margin-right:1rem!important}.mb-xl-3,.my-xl-3{margin-bottom:1rem!important}.ml-xl-3,.mx-xl-3{margin-left:1rem!important}.m-xl-4{margin:1.5rem!important}.mt-xl-4,.my-xl-4{margin-top:1.5rem!important}.mr-xl-4,.mx-xl-4{margin-right:1.5rem!important}.mb-xl-4,.my-xl-4{margin-bottom:1.5rem!important}.ml-xl-4,.mx-xl-4{margin-left:1.5rem!important}.m-xl-5{margin:3rem!important}.mt-xl-5,.my-xl-5{margin-top:3rem!important}.mr-xl-5,.mx-xl-5{margin-right:3rem!important}.mb-xl-5,.my-xl-5{margin-bottom:3rem!important}.ml-xl-5,.mx-xl-5{margin-left:3rem!important}.p-xl-0{padding:0!important}.pt-xl-0,.py-xl-0{padding-top:0!important}.pr-xl-0,.px-xl-0{padding-right:0!important}.pb-xl-0,.py-xl-0{padding-bottom:0!important}.pl-xl-0,.px-xl-0{padding-left:0!important}.p-xl-1{padding:.25rem!important}.pt-xl-1,.py-xl-1{padding-top:.25rem!important}.pr-xl-1,.px-xl-1{padding-right:.25rem!important}.pb-xl-1,.py-xl-1{padding-bottom:.25rem!important}.pl-xl-1,.px-xl-1{padding-left:.25rem!important}.p-xl-2{padding:.5rem!important}.pt-xl-2,.py-xl-2{padding-top:.5rem!important}.pr-xl-2,.px-xl-2{padding-right:.5rem!important}.pb-xl-2,.py-xl-2{padding-bottom:.5rem!important}.pl-xl-2,.px-xl-2{padding-left:.5rem!important}.p-xl-3{padding:1rem!important}.pt-xl-3,.py-xl-3{padding-top:1rem!important}.pr-xl-3,.px-xl-3{padding-right:1rem!important}.pb-xl-3,.py-xl-3{padding-bottom:1rem!important}.pl-xl-3,.px-xl-3{padding-left:1rem!important}.p-xl-4{padding:1.5rem!important}.pt-xl-4,.py-xl-4{padding-top:1.5rem!important}.pr-xl-4,.px-xl-4{padding-right:1.5rem!important}.pb-xl-4,.py-xl-4{padding-bottom:1.5rem!important}.pl-xl-4,.px-xl-4{padding-left:1.5rem!important}.p-xl-5{padding:3rem!important}.pt-xl-5,.py-xl-5{padding-top:3rem!important}.pr-xl-5,.px-xl-5{padding-right:3rem!important}.pb-xl-5,.py-xl-5{padding-bottom:3rem!important}.pl-xl-5,.px-xl-5{padding-left:3rem!important}.m-xl-n1{margin:-.25rem!important}.mt-xl-n1,.my-xl-n1{margin-top:-.25rem!important}.mr-xl-n1,.mx-xl-n1{margin-right:-.25rem!important}.mb-xl-n1,.my-xl-n1{margin-bottom:-.25rem!important}.ml-xl-n1,.mx-xl-n1{margin-left:-.25rem!important}.m-xl-n2{margin:-.5rem!important}.mt-xl-n2,.my-xl-n2{margin-top:-.5rem!important}.mr-xl-n2,.mx-xl-n2{margin-right:-.5rem!important}.mb-xl-n2,.my-xl-n2{margin-bottom:-.5rem!important}.ml-xl-n2,.mx-xl-n2{margin-left:-.5rem!important}.m-xl-n3{margin:-1rem!important}.mt-xl-n3,.my-xl-n3{margin-top:-1rem!important}.mr-xl-n3,.mx-xl-n3{margin-right:-1rem!important}.mb-xl-n3,.my-xl-n3{margin-bottom:-1rem!important}.ml-xl-n3,.mx-xl-n3{margin-left:-1rem!important}.m-xl-n4{margin:-1.5rem!important}.mt-xl-n4,.my-xl-n4{margin-top:-1.5rem!important}.mr-xl-n4,.mx-xl-n4{margin-right:-1.5rem!important}.mb-xl-n4,.my-xl-n4{margin-bottom:-1.5rem!important}.ml-xl-n4,.mx-xl-n4{margin-left:-1.5rem!important}.m-xl-n5{margin:-3rem!important}.mt-xl-n5,.my-xl-n5{margin-top:-3rem!important}.mr-xl-n5,.mx-xl-n5{margin-right:-3rem!important}.mb-xl-n5,.my-xl-n5{margin-bottom:-3rem!important}.ml-xl-n5,.mx-xl-n5{margin-left:-3rem!important}.m-xl-auto{margin:auto!important}.mt-xl-auto,.my-xl-auto{margin-top:auto!important}.mr-xl-auto,.mx-xl-auto{margin-right:auto!important}.mb-xl-auto,.my-xl-auto{margin-bottom:auto!important}.ml-xl-auto,.mx-xl-auto{margin-left:auto!important}}.stretched-link:after{background-color:transparent;bottom:0;content:\"\";left:0;pointer-events:auto;position:absolute;right:0;top:0;z-index:1}.text-monospace{font-family:SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace!important}.text-justify{text-align:justify!important}.text-wrap{white-space:normal!important}.text-nowrap{white-space:nowrap!important}.text-truncate{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.text-left{text-align:left!important}.text-right{text-align:right!important}.text-center{text-align:center!important}@media (min-width:576px){.text-sm-left{text-align:left!important}.text-sm-right{text-align:right!important}.text-sm-center{text-align:center!important}}@media (min-width:768px){.text-md-left{text-align:left!important}.text-md-right{text-align:right!important}.text-md-center{text-align:center!important}}@media (min-width:992px){.text-lg-left{text-align:left!important}.text-lg-right{text-align:right!important}.text-lg-center{text-align:center!important}}@media (min-width:1200px){.text-xl-left{text-align:left!important}.text-xl-right{text-align:right!important}.text-xl-center{text-align:center!important}}.text-lowercase{text-transform:lowercase!important}.text-uppercase{text-transform:uppercase!important}.text-capitalize{text-transform:capitalize!important}.font-weight-light,.remote-auth-getting-started .other-server-btn,.remote-auth-getting-started .server-btn{font-weight:300!important}.font-weight-lighter{font-weight:lighter!important}.font-weight-normal{font-weight:400!important}.font-weight-bold{font-weight:700!important}.font-weight-bolder{font-weight:bolder!important}.font-italic{font-style:italic!important}.text-white{color:#fff!important}.text-primary{color:#007bff!important}a.text-primary:focus,a.text-primary:hover{color:#0056b3!important}.text-secondary{color:#6c757d!important}a.text-secondary:focus,a.text-secondary:hover{color:#494f54!important}.text-success{color:#28a745!important}a.text-success:focus,a.text-success:hover{color:#19692c!important}.text-info{color:#17a2b8!important}a.text-info:focus,a.text-info:hover{color:#0f6674!important}.text-warning{color:#ffc107!important}a.text-warning:focus,a.text-warning:hover{color:#ba8b00!important}.text-danger{color:#dc3545!important}a.text-danger:focus,a.text-danger:hover{color:#a71d2a!important}.text-light{color:#f8f9fa!important}a.text-light:focus,a.text-light:hover{color:#cbd3da!important}.text-dark{color:#343a40!important}a.text-dark:focus,a.text-dark:hover{color:#121416!important}.text-body{color:#212529!important}.text-muted{color:#6c757d!important}.text-black-50{color:rgba(0,0,0,.5)!important}.text-white-50{color:hsla(0,0%,100%,.5)!important}.text-hide{background-color:transparent;border:0;color:transparent;font:0/0 a;text-shadow:none}.text-decoration-none{text-decoration:none!important}.text-break{word-wrap:break-word!important;word-break:break-word!important}.text-reset{color:inherit!important}.visible{visibility:visible!important}.invisible{visibility:hidden!important}@media print{*,:after,:before{box-shadow:none!important;text-shadow:none!important}a:not(.btn){text-decoration:underline}abbr[title]:after{content:\" (\" attr(title) \")\"}pre{white-space:pre-wrap!important}blockquote,pre{border:1px solid #adb5bd}blockquote,img,pre,tr{page-break-inside:avoid}h2,h3,p{orphans:3;widows:3}h2,h3{page-break-after:avoid}@page{size:a3}.container,body{min-width:992px!important}.navbar{display:none}.badge{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered td,.table-bordered th{border:1px solid #dee2e6!important}.table-dark{color:inherit}.table-dark tbody+tbody,.table-dark td,.table-dark th,.table-dark thead th{border-color:#dee2e6}.table .thead-dark th{border-color:#dee2e6;color:inherit}}.remote-auth-getting-started .text-xs{font-size:12px}.remote-auth-getting-started .gap-1{gap:1rem}.remote-auth-getting-started .opacity-50{opacity:.3}.remote-auth-getting-started .server-btn{background:linear-gradient(#6364ff,#563acc)}.remote-auth-getting-started .pa-center{font-size:16px;font-weight:600;left:50%;position:absolute;top:50%;transform:translate(-50%)}",""]);const n=a},46392:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(1519),a=o.n(e)()((function(t){return t[1]}));a.push([t.id,"@charset \"UTF-8\";\n/*!\n * Bootstrap v4.6.2 (https://getbootstrap.com/)\n * Copyright 2011-2022 The Bootstrap Authors\n * Copyright 2011-2022 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE)\n */:root{--blue:#007bff;--indigo:#6610f2;--purple:#6f42c1;--pink:#e83e8c;--red:#dc3545;--orange:#fd7e14;--yellow:#ffc107;--green:#28a745;--teal:#20c997;--cyan:#17a2b8;--white:#fff;--gray:#6c757d;--gray-dark:#343a40;--primary:#007bff;--secondary:#6c757d;--success:#28a745;--info:#17a2b8;--warning:#ffc107;--danger:#dc3545;--light:#f8f9fa;--dark:#343a40;--breakpoint-xs:0;--breakpoint-sm:576px;--breakpoint-md:768px;--breakpoint-lg:992px;--breakpoint-xl:1200px;--font-family-sans-serif:-apple-system,BlinkMacSystemFont,\"Segoe UI\",Roboto,\"Helvetica Neue\",Arial,\"Noto Sans\",\"Liberation Sans\",sans-serif,\"Apple Color Emoji\",\"Segoe UI Emoji\",\"Segoe UI Symbol\",\"Noto Color Emoji\";--font-family-monospace:SFMono-Regular,Menlo,Monaco,Consolas,\"Liberation Mono\",\"Courier New\",monospace}*,:after,:before{box-sizing:border-box}html{-webkit-text-size-adjust:100%;-webkit-tap-highlight-color:rgba(0,0,0,0);font-family:sans-serif;line-height:1.15}article,aside,figcaption,figure,footer,header,hgroup,main,nav,section{display:block}body{background-color:#fff;color:#212529;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:1rem;font-weight:400;line-height:1.5;margin:0;text-align:left}[tabindex=\"-1\"]:focus:not(:focus-visible){outline:0!important}hr{box-sizing:content-box;height:0;overflow:visible}h1,h2,h3,h4,h5,h6{margin-bottom:.5rem;margin-top:0}p{margin-bottom:1rem;margin-top:0}abbr[data-original-title],abbr[title]{border-bottom:0;cursor:help;text-decoration:underline;-webkit-text-decoration:underline dotted;text-decoration:underline dotted;-webkit-text-decoration-skip-ink:none;text-decoration-skip-ink:none}address{font-style:normal;line-height:inherit}address,dl,ol,ul{margin-bottom:1rem}dl,ol,ul{margin-top:0}ol ol,ol ul,ul ol,ul ul{margin-bottom:0}dt{font-weight:700}dd{margin-bottom:.5rem;margin-left:0}blockquote{margin:0 0 1rem}b,strong{font-weight:bolder}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}a{background-color:transparent;color:#007bff;text-decoration:none}a:hover{color:#0056b3;text-decoration:underline}a:not([href]):not([class]),a:not([href]):not([class]):hover{color:inherit;text-decoration:none}code,kbd,pre,samp{font-family:SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace;font-size:1em}pre{-ms-overflow-style:scrollbar;margin-bottom:1rem;margin-top:0;overflow:auto}figure{margin:0 0 1rem}img{border-style:none}img,svg{vertical-align:middle}svg{overflow:hidden}table{border-collapse:collapse}caption{caption-side:bottom;color:#6c757d;padding-bottom:.75rem;padding-top:.75rem;text-align:left}th{text-align:inherit;text-align:-webkit-match-parent}label{display:inline-block;margin-bottom:.5rem}button{border-radius:0}button:focus:not(:focus-visible){outline:0}button,input,optgroup,select,textarea{font-family:inherit;font-size:inherit;line-height:inherit;margin:0}button,input{overflow:visible}button,select{text-transform:none}[role=button]{cursor:pointer}select{word-wrap:normal}[type=button],[type=reset],[type=submit],button{-webkit-appearance:button}[type=button]:not(:disabled),[type=reset]:not(:disabled),[type=submit]:not(:disabled),button:not(:disabled){cursor:pointer}[type=button]::-moz-focus-inner,[type=reset]::-moz-focus-inner,[type=submit]::-moz-focus-inner,button::-moz-focus-inner{border-style:none;padding:0}input[type=checkbox],input[type=radio]{box-sizing:border-box;padding:0}textarea{overflow:auto;resize:vertical}fieldset{border:0;margin:0;min-width:0;padding:0}legend{color:inherit;display:block;font-size:1.5rem;line-height:inherit;margin-bottom:.5rem;max-width:100%;padding:0;white-space:normal;width:100%}progress{vertical-align:baseline}[type=number]::-webkit-inner-spin-button,[type=number]::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:none;outline-offset:-2px}[type=search]::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}output{display:inline-block}summary{cursor:pointer;display:list-item}template{display:none}[hidden]{display:none!important}.h1,.h2,.h3,.h4,.h5,.h6,h1,h2,h3,h4,h5,h6{font-weight:500;line-height:1.2;margin-bottom:.5rem}.h1,h1{font-size:2.5rem}.h2,h2{font-size:2rem}.h3,h3{font-size:1.75rem}.h4,h4{font-size:1.5rem}.h5,h5{font-size:1.25rem}.h6,h6{font-size:1rem}.lead{font-size:1.25rem;font-weight:300}.display-1{font-size:6rem}.display-1,.display-2{font-weight:300;line-height:1.2}.display-2{font-size:5.5rem}.display-3{font-size:4.5rem}.display-3,.display-4{font-weight:300;line-height:1.2}.display-4{font-size:3.5rem}hr{border:0;border-top:1px solid rgba(0,0,0,.1);margin-bottom:1rem;margin-top:1rem}.small,small{font-size:.875em;font-weight:400}.mark,mark{background-color:#fcf8e3;padding:.2em}.list-inline,.list-unstyled{list-style:none;padding-left:0}.list-inline-item{display:inline-block}.list-inline-item:not(:last-child){margin-right:.5rem}.initialism{font-size:90%;text-transform:uppercase}.blockquote{font-size:1.25rem;margin-bottom:1rem}.blockquote-footer{color:#6c757d;display:block;font-size:.875em}.blockquote-footer:before{content:\"— \"}.img-fluid,.img-thumbnail{height:auto;max-width:100%}.img-thumbnail{background-color:#fff;border:1px solid #dee2e6;border-radius:.25rem;padding:.25rem}.figure{display:inline-block}.figure-img{line-height:1;margin-bottom:.5rem}.figure-caption{color:#6c757d;font-size:90%}code{word-wrap:break-word;color:#e83e8c;font-size:87.5%}a>code{color:inherit}kbd{background-color:#212529;border-radius:.2rem;color:#fff;font-size:87.5%;padding:.2rem .4rem}kbd kbd{font-size:100%;font-weight:700;padding:0}pre{color:#212529;display:block;font-size:87.5%}pre code{color:inherit;font-size:inherit;word-break:normal}.pre-scrollable{max-height:340px;overflow-y:scroll}.container,.container-fluid,.container-lg,.container-md,.container-sm,.container-xl{margin-left:auto;margin-right:auto;padding-left:15px;padding-right:15px;width:100%}@media (min-width:576px){.container,.container-sm{max-width:540px}}@media (min-width:768px){.container,.container-md,.container-sm{max-width:720px}}@media (min-width:992px){.container,.container-lg,.container-md,.container-sm{max-width:960px}}@media (min-width:1200px){.container,.container-lg,.container-md,.container-sm,.container-xl{max-width:1140px}}.row{display:flex;flex-wrap:wrap;margin-left:-15px;margin-right:-15px}.no-gutters{margin-left:0;margin-right:0}.no-gutters>.col,.no-gutters>[class*=col-]{padding-left:0;padding-right:0}.col,.col-1,.col-10,.col-11,.col-12,.col-2,.col-3,.col-4,.col-5,.col-6,.col-7,.col-8,.col-9,.col-auto,.col-lg,.col-lg-1,.col-lg-10,.col-lg-11,.col-lg-12,.col-lg-2,.col-lg-3,.col-lg-4,.col-lg-5,.col-lg-6,.col-lg-7,.col-lg-8,.col-lg-9,.col-lg-auto,.col-md,.col-md-1,.col-md-10,.col-md-11,.col-md-12,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-auto,.col-sm,.col-sm-1,.col-sm-10,.col-sm-11,.col-sm-12,.col-sm-2,.col-sm-3,.col-sm-4,.col-sm-5,.col-sm-6,.col-sm-7,.col-sm-8,.col-sm-9,.col-sm-auto,.col-xl,.col-xl-1,.col-xl-10,.col-xl-11,.col-xl-12,.col-xl-2,.col-xl-3,.col-xl-4,.col-xl-5,.col-xl-6,.col-xl-7,.col-xl-8,.col-xl-9,.col-xl-auto{padding-left:15px;padding-right:15px;position:relative;width:100%}.col{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-1>*{flex:0 0 100%;max-width:100%}.row-cols-2>*{flex:0 0 50%;max-width:50%}.row-cols-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-4>*{flex:0 0 25%;max-width:25%}.row-cols-5>*{flex:0 0 20%;max-width:20%}.row-cols-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-auto{flex:0 0 auto;max-width:100%;width:auto}.col-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-3{flex:0 0 25%;max-width:25%}.col-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-6{flex:0 0 50%;max-width:50%}.col-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-9{flex:0 0 75%;max-width:75%}.col-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-12{flex:0 0 100%;max-width:100%}.order-first{order:-1}.order-last{order:13}.order-0{order:0}.order-1{order:1}.order-2{order:2}.order-3{order:3}.order-4{order:4}.order-5{order:5}.order-6{order:6}.order-7{order:7}.order-8{order:8}.order-9{order:9}.order-10{order:10}.order-11{order:11}.order-12{order:12}.offset-1{margin-left:8.33333333%}.offset-2{margin-left:16.66666667%}.offset-3{margin-left:25%}.offset-4{margin-left:33.33333333%}.offset-5{margin-left:41.66666667%}.offset-6{margin-left:50%}.offset-7{margin-left:58.33333333%}.offset-8{margin-left:66.66666667%}.offset-9{margin-left:75%}.offset-10{margin-left:83.33333333%}.offset-11{margin-left:91.66666667%}@media (min-width:576px){.col-sm{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-sm-1>*{flex:0 0 100%;max-width:100%}.row-cols-sm-2>*{flex:0 0 50%;max-width:50%}.row-cols-sm-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-sm-4>*{flex:0 0 25%;max-width:25%}.row-cols-sm-5>*{flex:0 0 20%;max-width:20%}.row-cols-sm-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-sm-auto{flex:0 0 auto;max-width:100%;width:auto}.col-sm-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-sm-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-sm-3{flex:0 0 25%;max-width:25%}.col-sm-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-sm-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-sm-6{flex:0 0 50%;max-width:50%}.col-sm-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-sm-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-sm-9{flex:0 0 75%;max-width:75%}.col-sm-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-sm-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-sm-12{flex:0 0 100%;max-width:100%}.order-sm-first{order:-1}.order-sm-last{order:13}.order-sm-0{order:0}.order-sm-1{order:1}.order-sm-2{order:2}.order-sm-3{order:3}.order-sm-4{order:4}.order-sm-5{order:5}.order-sm-6{order:6}.order-sm-7{order:7}.order-sm-8{order:8}.order-sm-9{order:9}.order-sm-10{order:10}.order-sm-11{order:11}.order-sm-12{order:12}.offset-sm-0{margin-left:0}.offset-sm-1{margin-left:8.33333333%}.offset-sm-2{margin-left:16.66666667%}.offset-sm-3{margin-left:25%}.offset-sm-4{margin-left:33.33333333%}.offset-sm-5{margin-left:41.66666667%}.offset-sm-6{margin-left:50%}.offset-sm-7{margin-left:58.33333333%}.offset-sm-8{margin-left:66.66666667%}.offset-sm-9{margin-left:75%}.offset-sm-10{margin-left:83.33333333%}.offset-sm-11{margin-left:91.66666667%}}@media (min-width:768px){.col-md{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-md-1>*{flex:0 0 100%;max-width:100%}.row-cols-md-2>*{flex:0 0 50%;max-width:50%}.row-cols-md-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-md-4>*{flex:0 0 25%;max-width:25%}.row-cols-md-5>*{flex:0 0 20%;max-width:20%}.row-cols-md-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-md-auto{flex:0 0 auto;max-width:100%;width:auto}.col-md-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-md-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-md-3{flex:0 0 25%;max-width:25%}.col-md-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-md-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-md-6{flex:0 0 50%;max-width:50%}.col-md-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-md-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-md-9{flex:0 0 75%;max-width:75%}.col-md-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-md-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-md-12{flex:0 0 100%;max-width:100%}.order-md-first{order:-1}.order-md-last{order:13}.order-md-0{order:0}.order-md-1{order:1}.order-md-2{order:2}.order-md-3{order:3}.order-md-4{order:4}.order-md-5{order:5}.order-md-6{order:6}.order-md-7{order:7}.order-md-8{order:8}.order-md-9{order:9}.order-md-10{order:10}.order-md-11{order:11}.order-md-12{order:12}.offset-md-0{margin-left:0}.offset-md-1{margin-left:8.33333333%}.offset-md-2{margin-left:16.66666667%}.offset-md-3{margin-left:25%}.offset-md-4{margin-left:33.33333333%}.offset-md-5{margin-left:41.66666667%}.offset-md-6{margin-left:50%}.offset-md-7{margin-left:58.33333333%}.offset-md-8{margin-left:66.66666667%}.offset-md-9{margin-left:75%}.offset-md-10{margin-left:83.33333333%}.offset-md-11{margin-left:91.66666667%}}@media (min-width:992px){.col-lg{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-lg-1>*{flex:0 0 100%;max-width:100%}.row-cols-lg-2>*{flex:0 0 50%;max-width:50%}.row-cols-lg-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-lg-4>*{flex:0 0 25%;max-width:25%}.row-cols-lg-5>*{flex:0 0 20%;max-width:20%}.row-cols-lg-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-lg-auto{flex:0 0 auto;max-width:100%;width:auto}.col-lg-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-lg-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-lg-3{flex:0 0 25%;max-width:25%}.col-lg-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-lg-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-lg-6{flex:0 0 50%;max-width:50%}.col-lg-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-lg-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-lg-9{flex:0 0 75%;max-width:75%}.col-lg-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-lg-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-lg-12{flex:0 0 100%;max-width:100%}.order-lg-first{order:-1}.order-lg-last{order:13}.order-lg-0{order:0}.order-lg-1{order:1}.order-lg-2{order:2}.order-lg-3{order:3}.order-lg-4{order:4}.order-lg-5{order:5}.order-lg-6{order:6}.order-lg-7{order:7}.order-lg-8{order:8}.order-lg-9{order:9}.order-lg-10{order:10}.order-lg-11{order:11}.order-lg-12{order:12}.offset-lg-0{margin-left:0}.offset-lg-1{margin-left:8.33333333%}.offset-lg-2{margin-left:16.66666667%}.offset-lg-3{margin-left:25%}.offset-lg-4{margin-left:33.33333333%}.offset-lg-5{margin-left:41.66666667%}.offset-lg-6{margin-left:50%}.offset-lg-7{margin-left:58.33333333%}.offset-lg-8{margin-left:66.66666667%}.offset-lg-9{margin-left:75%}.offset-lg-10{margin-left:83.33333333%}.offset-lg-11{margin-left:91.66666667%}}@media (min-width:1200px){.col-xl{flex-basis:0;flex-grow:1;max-width:100%}.row-cols-xl-1>*{flex:0 0 100%;max-width:100%}.row-cols-xl-2>*{flex:0 0 50%;max-width:50%}.row-cols-xl-3>*{flex:0 0 33.3333333333%;max-width:33.3333333333%}.row-cols-xl-4>*{flex:0 0 25%;max-width:25%}.row-cols-xl-5>*{flex:0 0 20%;max-width:20%}.row-cols-xl-6>*{flex:0 0 16.6666666667%;max-width:16.6666666667%}.col-xl-auto{flex:0 0 auto;max-width:100%;width:auto}.col-xl-1{flex:0 0 8.33333333%;max-width:8.33333333%}.col-xl-2{flex:0 0 16.66666667%;max-width:16.66666667%}.col-xl-3{flex:0 0 25%;max-width:25%}.col-xl-4{flex:0 0 33.33333333%;max-width:33.33333333%}.col-xl-5{flex:0 0 41.66666667%;max-width:41.66666667%}.col-xl-6{flex:0 0 50%;max-width:50%}.col-xl-7{flex:0 0 58.33333333%;max-width:58.33333333%}.col-xl-8{flex:0 0 66.66666667%;max-width:66.66666667%}.col-xl-9{flex:0 0 75%;max-width:75%}.col-xl-10{flex:0 0 83.33333333%;max-width:83.33333333%}.col-xl-11{flex:0 0 91.66666667%;max-width:91.66666667%}.col-xl-12{flex:0 0 100%;max-width:100%}.order-xl-first{order:-1}.order-xl-last{order:13}.order-xl-0{order:0}.order-xl-1{order:1}.order-xl-2{order:2}.order-xl-3{order:3}.order-xl-4{order:4}.order-xl-5{order:5}.order-xl-6{order:6}.order-xl-7{order:7}.order-xl-8{order:8}.order-xl-9{order:9}.order-xl-10{order:10}.order-xl-11{order:11}.order-xl-12{order:12}.offset-xl-0{margin-left:0}.offset-xl-1{margin-left:8.33333333%}.offset-xl-2{margin-left:16.66666667%}.offset-xl-3{margin-left:25%}.offset-xl-4{margin-left:33.33333333%}.offset-xl-5{margin-left:41.66666667%}.offset-xl-6{margin-left:50%}.offset-xl-7{margin-left:58.33333333%}.offset-xl-8{margin-left:66.66666667%}.offset-xl-9{margin-left:75%}.offset-xl-10{margin-left:83.33333333%}.offset-xl-11{margin-left:91.66666667%}}.table{color:#212529;margin-bottom:1rem;width:100%}.table td,.table th{border-top:1px solid #dee2e6;padding:.75rem;vertical-align:top}.table thead th{border-bottom:2px solid #dee2e6;vertical-align:bottom}.table tbody+tbody{border-top:2px solid #dee2e6}.table-sm td,.table-sm th{padding:.3rem}.table-bordered,.table-bordered td,.table-bordered th{border:1px solid #dee2e6}.table-bordered thead td,.table-bordered thead th{border-bottom-width:2px}.table-borderless tbody+tbody,.table-borderless td,.table-borderless th,.table-borderless thead th{border:0}.table-striped tbody tr:nth-of-type(odd){background-color:rgba(0,0,0,.05)}.table-hover tbody tr:hover{background-color:rgba(0,0,0,.075);color:#212529}.table-primary,.table-primary>td,.table-primary>th{background-color:#b8daff}.table-primary tbody+tbody,.table-primary td,.table-primary th,.table-primary thead th{border-color:#7abaff}.table-hover .table-primary:hover,.table-hover .table-primary:hover>td,.table-hover .table-primary:hover>th{background-color:#9fcdff}.table-secondary,.table-secondary>td,.table-secondary>th{background-color:#d6d8db}.table-secondary tbody+tbody,.table-secondary td,.table-secondary th,.table-secondary thead th{border-color:#b3b7bb}.table-hover .table-secondary:hover,.table-hover .table-secondary:hover>td,.table-hover .table-secondary:hover>th{background-color:#c8cbcf}.table-success,.table-success>td,.table-success>th{background-color:#c3e6cb}.table-success tbody+tbody,.table-success td,.table-success th,.table-success thead th{border-color:#8fd19e}.table-hover .table-success:hover,.table-hover .table-success:hover>td,.table-hover .table-success:hover>th{background-color:#b1dfbb}.table-info,.table-info>td,.table-info>th{background-color:#bee5eb}.table-info tbody+tbody,.table-info td,.table-info th,.table-info thead th{border-color:#86cfda}.table-hover .table-info:hover,.table-hover .table-info:hover>td,.table-hover .table-info:hover>th{background-color:#abdde5}.table-warning,.table-warning>td,.table-warning>th{background-color:#ffeeba}.table-warning tbody+tbody,.table-warning td,.table-warning th,.table-warning thead th{border-color:#ffdf7e}.table-hover .table-warning:hover,.table-hover .table-warning:hover>td,.table-hover .table-warning:hover>th{background-color:#ffe8a1}.table-danger,.table-danger>td,.table-danger>th{background-color:#f5c6cb}.table-danger tbody+tbody,.table-danger td,.table-danger th,.table-danger thead th{border-color:#ed969e}.table-hover .table-danger:hover,.table-hover .table-danger:hover>td,.table-hover .table-danger:hover>th{background-color:#f1b0b7}.table-light,.table-light>td,.table-light>th{background-color:#fdfdfe}.table-light tbody+tbody,.table-light td,.table-light th,.table-light thead th{border-color:#fbfcfc}.table-hover .table-light:hover,.table-hover .table-light:hover>td,.table-hover .table-light:hover>th{background-color:#ececf6}.table-dark,.table-dark>td,.table-dark>th{background-color:#c6c8ca}.table-dark tbody+tbody,.table-dark td,.table-dark th,.table-dark thead th{border-color:#95999c}.table-hover .table-dark:hover,.table-hover .table-dark:hover>td,.table-hover .table-dark:hover>th{background-color:#b9bbbe}.table-active,.table-active>td,.table-active>th,.table-hover .table-active:hover,.table-hover .table-active:hover>td,.table-hover .table-active:hover>th{background-color:rgba(0,0,0,.075)}.table .thead-dark th{background-color:#343a40;border-color:#454d55;color:#fff}.table .thead-light th{background-color:#e9ecef;border-color:#dee2e6;color:#495057}.table-dark{background-color:#343a40;color:#fff}.table-dark td,.table-dark th,.table-dark thead th{border-color:#454d55}.table-dark.table-bordered{border:0}.table-dark.table-striped tbody tr:nth-of-type(odd){background-color:hsla(0,0%,100%,.05)}.table-dark.table-hover tbody tr:hover{background-color:hsla(0,0%,100%,.075);color:#fff}@media (max-width:575.98px){.table-responsive-sm{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-sm>.table-bordered{border:0}}@media (max-width:767.98px){.table-responsive-md{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-md>.table-bordered{border:0}}@media (max-width:991.98px){.table-responsive-lg{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-lg>.table-bordered{border:0}}@media (max-width:1199.98px){.table-responsive-xl{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive-xl>.table-bordered{border:0}}.table-responsive{-webkit-overflow-scrolling:touch;display:block;overflow-x:auto;width:100%}.table-responsive>.table-bordered{border:0}.form-control{background-clip:padding-box;background-color:#fff;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:block;font-size:1rem;font-weight:400;height:calc(1.5em + .75rem + 2px);line-height:1.5;padding:.375rem .75rem;transition:border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:100%}@media (prefers-reduced-motion:reduce){.form-control{transition:none}}.form-control::-ms-expand{background-color:transparent;border:0}.form-control:focus{background-color:#fff;border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25);color:#495057;outline:0}.form-control::-moz-placeholder{color:#6c757d;opacity:1}.form-control::placeholder{color:#6c757d;opacity:1}.form-control:disabled,.form-control[readonly]{background-color:#e9ecef;opacity:1}input[type=date].form-control,input[type=datetime-local].form-control,input[type=month].form-control,input[type=time].form-control{-webkit-appearance:none;-moz-appearance:none;appearance:none}select.form-control:-moz-focusring{color:transparent;text-shadow:0 0 0 #495057}select.form-control:focus::-ms-value{background-color:#fff;color:#495057}.form-control-file,.form-control-range{display:block;width:100%}.col-form-label{font-size:inherit;line-height:1.5;margin-bottom:0;padding-bottom:calc(.375rem + 1px);padding-top:calc(.375rem + 1px)}.col-form-label-lg{font-size:1.25rem;line-height:1.5;padding-bottom:calc(.5rem + 1px);padding-top:calc(.5rem + 1px)}.col-form-label-sm{font-size:.875rem;line-height:1.5;padding-bottom:calc(.25rem + 1px);padding-top:calc(.25rem + 1px)}.form-control-plaintext{background-color:transparent;border:solid transparent;border-width:1px 0;color:#212529;display:block;font-size:1rem;line-height:1.5;margin-bottom:0;padding:.375rem 0;width:100%}.form-control-plaintext.form-control-lg,.form-control-plaintext.form-control-sm{padding-left:0;padding-right:0}.form-control-sm{border-radius:.2rem;font-size:.875rem;height:calc(1.5em + .5rem + 2px);line-height:1.5;padding:.25rem .5rem}.form-control-lg{border-radius:.3rem;font-size:1.25rem;height:calc(1.5em + 1rem + 2px);line-height:1.5;padding:.5rem 1rem}select.form-control[multiple],select.form-control[size],textarea.form-control{height:auto}.form-group{margin-bottom:1rem}.form-text{display:block;margin-top:.25rem}.form-row{display:flex;flex-wrap:wrap;margin-left:-5px;margin-right:-5px}.form-row>.col,.form-row>[class*=col-]{padding-left:5px;padding-right:5px}.form-check{display:block;padding-left:1.25rem;position:relative}.form-check-input{margin-left:-1.25rem;margin-top:.3rem;position:absolute}.form-check-input:disabled~.form-check-label,.form-check-input[disabled]~.form-check-label{color:#6c757d}.form-check-label{margin-bottom:0}.form-check-inline{align-items:center;display:inline-flex;margin-right:.75rem;padding-left:0}.form-check-inline .form-check-input{margin-left:0;margin-right:.3125rem;margin-top:0;position:static}.valid-feedback{color:#28a745;display:none;font-size:.875em;margin-top:.25rem;width:100%}.valid-tooltip{background-color:rgba(40,167,69,.9);border-radius:.25rem;color:#fff;display:none;font-size:.875rem;left:0;line-height:1.5;margin-top:.1rem;max-width:100%;padding:.25rem .5rem;position:absolute;top:100%;z-index:5}.form-row>.col>.valid-tooltip,.form-row>[class*=col-]>.valid-tooltip{left:5px}.is-valid~.valid-feedback,.is-valid~.valid-tooltip,.was-validated :valid~.valid-feedback,.was-validated :valid~.valid-tooltip{display:block}.form-control.is-valid,.was-validated .form-control:valid{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%2328a745' d='M2.3 6.73.6 4.53c-.4-1.04.46-1.4 1.1-.8l1.1 1.4 3.4-3.8c.6-.63 1.6-.27 1.2.7l-4 4.6c-.43.5-.8.4-1.1.1z'/%3E%3C/svg%3E\");background-position:right calc(.375em + .1875rem) center;background-repeat:no-repeat;background-size:calc(.75em + .375rem) calc(.75em + .375rem);border-color:#28a745;padding-right:calc(1.5em + .75rem)!important}.form-control.is-valid:focus,.was-validated .form-control:valid:focus{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.was-validated select.form-control:valid,select.form-control.is-valid{background-position:right 1.5rem center;padding-right:3rem!important}.was-validated textarea.form-control:valid,textarea.form-control.is-valid{background-position:top calc(.375em + .1875rem) right calc(.375em + .1875rem);padding-right:calc(1.5em + .75rem)}.custom-select.is-valid,.was-validated .custom-select:valid{background:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat,#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%2328a745' d='M2.3 6.73.6 4.53c-.4-1.04.46-1.4 1.1-.8l1.1 1.4 3.4-3.8c.6-.63 1.6-.27 1.2.7l-4 4.6c-.43.5-.8.4-1.1.1z'/%3E%3C/svg%3E\") center right 1.75rem/calc(.75em + .375rem) calc(.75em + .375rem) no-repeat;border-color:#28a745;padding-right:calc(.75em + 2.3125rem)!important}.custom-select.is-valid:focus,.was-validated .custom-select:valid:focus{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.form-check-input.is-valid~.form-check-label,.was-validated .form-check-input:valid~.form-check-label{color:#28a745}.form-check-input.is-valid~.valid-feedback,.form-check-input.is-valid~.valid-tooltip,.was-validated .form-check-input:valid~.valid-feedback,.was-validated .form-check-input:valid~.valid-tooltip{display:block}.custom-control-input.is-valid~.custom-control-label,.was-validated .custom-control-input:valid~.custom-control-label{color:#28a745}.custom-control-input.is-valid~.custom-control-label:before,.was-validated .custom-control-input:valid~.custom-control-label:before{border-color:#28a745}.custom-control-input.is-valid:checked~.custom-control-label:before,.was-validated .custom-control-input:valid:checked~.custom-control-label:before{background-color:#34ce57;border-color:#34ce57}.custom-control-input.is-valid:focus~.custom-control-label:before,.was-validated .custom-control-input:valid:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.custom-control-input.is-valid:focus:not(:checked)~.custom-control-label:before,.was-validated .custom-control-input:valid:focus:not(:checked)~.custom-control-label:before{border-color:#28a745}.custom-file-input.is-valid~.custom-file-label,.was-validated .custom-file-input:valid~.custom-file-label{border-color:#28a745}.custom-file-input.is-valid:focus~.custom-file-label,.was-validated .custom-file-input:valid:focus~.custom-file-label{border-color:#28a745;box-shadow:0 0 0 .2rem rgba(40,167,69,.25)}.invalid-feedback{color:#dc3545;display:none;font-size:.875em;margin-top:.25rem;width:100%}.invalid-tooltip{background-color:rgba(220,53,69,.9);border-radius:.25rem;color:#fff;display:none;font-size:.875rem;left:0;line-height:1.5;margin-top:.1rem;max-width:100%;padding:.25rem .5rem;position:absolute;top:100%;z-index:5}.form-row>.col>.invalid-tooltip,.form-row>[class*=col-]>.invalid-tooltip{left:5px}.is-invalid~.invalid-feedback,.is-invalid~.invalid-tooltip,.was-validated :invalid~.invalid-feedback,.was-validated :invalid~.invalid-tooltip{display:block}.form-control.is-invalid,.was-validated .form-control:invalid{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' fill='none' stroke='%23dc3545'%3E%3Ccircle cx='6' cy='6' r='4.5'/%3E%3Cpath stroke-linejoin='round' d='M5.8 3.6h.4L6 6.5z'/%3E%3Ccircle cx='6' cy='8.2' r='.6' fill='%23dc3545' stroke='none'/%3E%3C/svg%3E\");background-position:right calc(.375em + .1875rem) center;background-repeat:no-repeat;background-size:calc(.75em + .375rem) calc(.75em + .375rem);border-color:#dc3545;padding-right:calc(1.5em + .75rem)!important}.form-control.is-invalid:focus,.was-validated .form-control:invalid:focus{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.was-validated select.form-control:invalid,select.form-control.is-invalid{background-position:right 1.5rem center;padding-right:3rem!important}.was-validated textarea.form-control:invalid,textarea.form-control.is-invalid{background-position:top calc(.375em + .1875rem) right calc(.375em + .1875rem);padding-right:calc(1.5em + .75rem)}.custom-select.is-invalid,.was-validated .custom-select:invalid{background:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat,#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' fill='none' stroke='%23dc3545'%3E%3Ccircle cx='6' cy='6' r='4.5'/%3E%3Cpath stroke-linejoin='round' d='M5.8 3.6h.4L6 6.5z'/%3E%3Ccircle cx='6' cy='8.2' r='.6' fill='%23dc3545' stroke='none'/%3E%3C/svg%3E\") center right 1.75rem/calc(.75em + .375rem) calc(.75em + .375rem) no-repeat;border-color:#dc3545;padding-right:calc(.75em + 2.3125rem)!important}.custom-select.is-invalid:focus,.was-validated .custom-select:invalid:focus{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.form-check-input.is-invalid~.form-check-label,.was-validated .form-check-input:invalid~.form-check-label{color:#dc3545}.form-check-input.is-invalid~.invalid-feedback,.form-check-input.is-invalid~.invalid-tooltip,.was-validated .form-check-input:invalid~.invalid-feedback,.was-validated .form-check-input:invalid~.invalid-tooltip{display:block}.custom-control-input.is-invalid~.custom-control-label,.was-validated .custom-control-input:invalid~.custom-control-label{color:#dc3545}.custom-control-input.is-invalid~.custom-control-label:before,.was-validated .custom-control-input:invalid~.custom-control-label:before{border-color:#dc3545}.custom-control-input.is-invalid:checked~.custom-control-label:before,.was-validated .custom-control-input:invalid:checked~.custom-control-label:before{background-color:#e4606d;border-color:#e4606d}.custom-control-input.is-invalid:focus~.custom-control-label:before,.was-validated .custom-control-input:invalid:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.custom-control-input.is-invalid:focus:not(:checked)~.custom-control-label:before,.was-validated .custom-control-input:invalid:focus:not(:checked)~.custom-control-label:before{border-color:#dc3545}.custom-file-input.is-invalid~.custom-file-label,.was-validated .custom-file-input:invalid~.custom-file-label{border-color:#dc3545}.custom-file-input.is-invalid:focus~.custom-file-label,.was-validated .custom-file-input:invalid:focus~.custom-file-label{border-color:#dc3545;box-shadow:0 0 0 .2rem rgba(220,53,69,.25)}.form-inline{align-items:center;display:flex;flex-flow:row wrap}.form-inline .form-check{width:100%}@media (min-width:576px){.form-inline label{justify-content:center}.form-inline .form-group,.form-inline label{align-items:center;display:flex;margin-bottom:0}.form-inline .form-group{flex:0 0 auto;flex-flow:row wrap}.form-inline .form-control{display:inline-block;vertical-align:middle;width:auto}.form-inline .form-control-plaintext{display:inline-block}.form-inline .custom-select,.form-inline .input-group{width:auto}.form-inline .form-check{align-items:center;display:flex;justify-content:center;padding-left:0;width:auto}.form-inline .form-check-input{flex-shrink:0;margin-left:0;margin-right:.25rem;margin-top:0;position:relative}.form-inline .custom-control{align-items:center;justify-content:center}.form-inline .custom-control-label{margin-bottom:0}}.btn,.remote-auth-start .other-server-btn,.remote-auth-start .server-btn{background-color:transparent;border:1px solid transparent;border-radius:.25rem;color:#212529;display:inline-block;font-size:1rem;font-weight:400;line-height:1.5;padding:.375rem .75rem;text-align:center;transition:color .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;-webkit-user-select:none;-moz-user-select:none;user-select:none;vertical-align:middle}@media (prefers-reduced-motion:reduce){.btn,.remote-auth-start .other-server-btn,.remote-auth-start .server-btn{transition:none}}.btn:hover,.remote-auth-start .other-server-btn:hover,.remote-auth-start .server-btn:hover{color:#212529;text-decoration:none}.btn.focus,.btn:focus,.remote-auth-start .focus.other-server-btn,.remote-auth-start .focus.server-btn,.remote-auth-start .other-server-btn:focus,.remote-auth-start .server-btn:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0}.btn.disabled,.btn:disabled,.remote-auth-start .disabled.other-server-btn,.remote-auth-start .disabled.server-btn,.remote-auth-start .other-server-btn:disabled,.remote-auth-start .server-btn:disabled{opacity:.65}.btn:not(:disabled):not(.disabled),.remote-auth-start .other-server-btn:not(:disabled):not(.disabled),.remote-auth-start .server-btn:not(:disabled):not(.disabled){cursor:pointer}.remote-auth-start a.disabled.other-server-btn,.remote-auth-start a.disabled.server-btn,.remote-auth-start fieldset:disabled a.other-server-btn,.remote-auth-start fieldset:disabled a.server-btn,a.btn.disabled,fieldset:disabled .remote-auth-start a.other-server-btn,fieldset:disabled .remote-auth-start a.server-btn,fieldset:disabled a.btn{pointer-events:none}.btn-primary,.remote-auth-start .server-btn{background-color:#007bff;border-color:#007bff;color:#fff}.btn-primary:hover,.remote-auth-start .server-btn:hover{background-color:#0069d9;border-color:#0062cc;color:#fff}.btn-primary.focus,.btn-primary:focus,.remote-auth-start .focus.server-btn,.remote-auth-start .server-btn:focus{background-color:#0069d9;border-color:#0062cc;box-shadow:0 0 0 .2rem rgba(38,143,255,.5);color:#fff}.btn-primary.disabled,.btn-primary:disabled,.remote-auth-start .disabled.server-btn,.remote-auth-start .server-btn:disabled{background-color:#007bff;border-color:#007bff;color:#fff}.btn-primary:not(:disabled):not(.disabled).active,.btn-primary:not(:disabled):not(.disabled):active,.remote-auth-start .server-btn:not(:disabled):not(.disabled).active,.remote-auth-start .server-btn:not(:disabled):not(.disabled):active,.remote-auth-start .show>.dropdown-toggle.server-btn,.show>.btn-primary.dropdown-toggle{background-color:#0062cc;border-color:#005cbf;color:#fff}.btn-primary:not(:disabled):not(.disabled).active:focus,.btn-primary:not(:disabled):not(.disabled):active:focus,.remote-auth-start .server-btn:not(:disabled):not(.disabled).active:focus,.remote-auth-start .server-btn:not(:disabled):not(.disabled):active:focus,.remote-auth-start .show>.dropdown-toggle.server-btn:focus,.show>.btn-primary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(38,143,255,.5)}.btn-secondary{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-secondary.focus,.btn-secondary:focus,.btn-secondary:hover{background-color:#5a6268;border-color:#545b62;color:#fff}.btn-secondary.focus,.btn-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,6%,54%,.5)}.btn-secondary.disabled,.btn-secondary:disabled{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-secondary:not(:disabled):not(.disabled).active,.btn-secondary:not(:disabled):not(.disabled):active,.show>.btn-secondary.dropdown-toggle{background-color:#545b62;border-color:#4e555b;color:#fff}.btn-secondary:not(:disabled):not(.disabled).active:focus,.btn-secondary:not(:disabled):not(.disabled):active:focus,.show>.btn-secondary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(208,6%,54%,.5)}.btn-success{background-color:#28a745;border-color:#28a745;color:#fff}.btn-success.focus,.btn-success:focus,.btn-success:hover{background-color:#218838;border-color:#1e7e34;color:#fff}.btn-success.focus,.btn-success:focus{box-shadow:0 0 0 .2rem rgba(72,180,97,.5)}.btn-success.disabled,.btn-success:disabled{background-color:#28a745;border-color:#28a745;color:#fff}.btn-success:not(:disabled):not(.disabled).active,.btn-success:not(:disabled):not(.disabled):active,.show>.btn-success.dropdown-toggle{background-color:#1e7e34;border-color:#1c7430;color:#fff}.btn-success:not(:disabled):not(.disabled).active:focus,.btn-success:not(:disabled):not(.disabled):active:focus,.show>.btn-success.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(72,180,97,.5)}.btn-info{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-info.focus,.btn-info:focus,.btn-info:hover{background-color:#138496;border-color:#117a8b;color:#fff}.btn-info.focus,.btn-info:focus{box-shadow:0 0 0 .2rem rgba(58,176,195,.5)}.btn-info.disabled,.btn-info:disabled{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-info:not(:disabled):not(.disabled).active,.btn-info:not(:disabled):not(.disabled):active,.show>.btn-info.dropdown-toggle{background-color:#117a8b;border-color:#10707f;color:#fff}.btn-info:not(:disabled):not(.disabled).active:focus,.btn-info:not(:disabled):not(.disabled):active:focus,.show>.btn-info.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(58,176,195,.5)}.btn-warning{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-warning.focus,.btn-warning:focus,.btn-warning:hover{background-color:#e0a800;border-color:#d39e00;color:#212529}.btn-warning.focus,.btn-warning:focus{box-shadow:0 0 0 .2rem rgba(222,170,12,.5)}.btn-warning.disabled,.btn-warning:disabled{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-warning:not(:disabled):not(.disabled).active,.btn-warning:not(:disabled):not(.disabled):active,.show>.btn-warning.dropdown-toggle{background-color:#d39e00;border-color:#c69500;color:#212529}.btn-warning:not(:disabled):not(.disabled).active:focus,.btn-warning:not(:disabled):not(.disabled):active:focus,.show>.btn-warning.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(222,170,12,.5)}.btn-danger{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-danger.focus,.btn-danger:focus,.btn-danger:hover{background-color:#c82333;border-color:#bd2130;color:#fff}.btn-danger.focus,.btn-danger:focus{box-shadow:0 0 0 .2rem rgba(225,83,97,.5)}.btn-danger.disabled,.btn-danger:disabled{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-danger:not(:disabled):not(.disabled).active,.btn-danger:not(:disabled):not(.disabled):active,.show>.btn-danger.dropdown-toggle{background-color:#bd2130;border-color:#b21f2d;color:#fff}.btn-danger:not(:disabled):not(.disabled).active:focus,.btn-danger:not(:disabled):not(.disabled):active:focus,.show>.btn-danger.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(225,83,97,.5)}.btn-light{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-light.focus,.btn-light:focus,.btn-light:hover{background-color:#e2e6ea;border-color:#dae0e5;color:#212529}.btn-light.focus,.btn-light:focus{box-shadow:0 0 0 .2rem hsla(220,4%,85%,.5)}.btn-light.disabled,.btn-light:disabled{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-light:not(:disabled):not(.disabled).active,.btn-light:not(:disabled):not(.disabled):active,.show>.btn-light.dropdown-toggle{background-color:#dae0e5;border-color:#d3d9df;color:#212529}.btn-light:not(:disabled):not(.disabled).active:focus,.btn-light:not(:disabled):not(.disabled):active:focus,.show>.btn-light.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(220,4%,85%,.5)}.btn-dark,.remote-auth-start .other-server-btn{background-color:#343a40;border-color:#343a40;color:#fff}.btn-dark:hover,.remote-auth-start .other-server-btn:hover{background-color:#23272b;border-color:#1d2124;color:#fff}.btn-dark.focus,.btn-dark:focus,.remote-auth-start .focus.other-server-btn,.remote-auth-start .other-server-btn:focus{background-color:#23272b;border-color:#1d2124;box-shadow:0 0 0 .2rem rgba(82,88,93,.5);color:#fff}.btn-dark.disabled,.btn-dark:disabled,.remote-auth-start .disabled.other-server-btn,.remote-auth-start .other-server-btn:disabled{background-color:#343a40;border-color:#343a40;color:#fff}.btn-dark:not(:disabled):not(.disabled).active,.btn-dark:not(:disabled):not(.disabled):active,.remote-auth-start .other-server-btn:not(:disabled):not(.disabled).active,.remote-auth-start .other-server-btn:not(:disabled):not(.disabled):active,.remote-auth-start .show>.dropdown-toggle.other-server-btn,.show>.btn-dark.dropdown-toggle{background-color:#1d2124;border-color:#171a1d;color:#fff}.btn-dark:not(:disabled):not(.disabled).active:focus,.btn-dark:not(:disabled):not(.disabled):active:focus,.remote-auth-start .other-server-btn:not(:disabled):not(.disabled).active:focus,.remote-auth-start .other-server-btn:not(:disabled):not(.disabled):active:focus,.remote-auth-start .show>.dropdown-toggle.other-server-btn:focus,.show>.btn-dark.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(82,88,93,.5)}.btn-outline-primary{border-color:#007bff;color:#007bff}.btn-outline-primary:hover{background-color:#007bff;border-color:#007bff;color:#fff}.btn-outline-primary.focus,.btn-outline-primary:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5)}.btn-outline-primary.disabled,.btn-outline-primary:disabled{background-color:transparent;color:#007bff}.btn-outline-primary:not(:disabled):not(.disabled).active,.btn-outline-primary:not(:disabled):not(.disabled):active,.show>.btn-outline-primary.dropdown-toggle{background-color:#007bff;border-color:#007bff;color:#fff}.btn-outline-primary:not(:disabled):not(.disabled).active:focus,.btn-outline-primary:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-primary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5)}.btn-outline-secondary{border-color:#6c757d;color:#6c757d}.btn-outline-secondary:hover{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-outline-secondary.focus,.btn-outline-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5)}.btn-outline-secondary.disabled,.btn-outline-secondary:disabled{background-color:transparent;color:#6c757d}.btn-outline-secondary:not(:disabled):not(.disabled).active,.btn-outline-secondary:not(:disabled):not(.disabled):active,.show>.btn-outline-secondary.dropdown-toggle{background-color:#6c757d;border-color:#6c757d;color:#fff}.btn-outline-secondary:not(:disabled):not(.disabled).active:focus,.btn-outline-secondary:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-secondary.dropdown-toggle:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5)}.btn-outline-success{border-color:#28a745;color:#28a745}.btn-outline-success:hover{background-color:#28a745;border-color:#28a745;color:#fff}.btn-outline-success.focus,.btn-outline-success:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5)}.btn-outline-success.disabled,.btn-outline-success:disabled{background-color:transparent;color:#28a745}.btn-outline-success:not(:disabled):not(.disabled).active,.btn-outline-success:not(:disabled):not(.disabled):active,.show>.btn-outline-success.dropdown-toggle{background-color:#28a745;border-color:#28a745;color:#fff}.btn-outline-success:not(:disabled):not(.disabled).active:focus,.btn-outline-success:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-success.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5)}.btn-outline-info{border-color:#17a2b8;color:#17a2b8}.btn-outline-info:hover{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-outline-info.focus,.btn-outline-info:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5)}.btn-outline-info.disabled,.btn-outline-info:disabled{background-color:transparent;color:#17a2b8}.btn-outline-info:not(:disabled):not(.disabled).active,.btn-outline-info:not(:disabled):not(.disabled):active,.show>.btn-outline-info.dropdown-toggle{background-color:#17a2b8;border-color:#17a2b8;color:#fff}.btn-outline-info:not(:disabled):not(.disabled).active:focus,.btn-outline-info:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-info.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5)}.btn-outline-warning{border-color:#ffc107;color:#ffc107}.btn-outline-warning:hover{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-outline-warning.focus,.btn-outline-warning:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5)}.btn-outline-warning.disabled,.btn-outline-warning:disabled{background-color:transparent;color:#ffc107}.btn-outline-warning:not(:disabled):not(.disabled).active,.btn-outline-warning:not(:disabled):not(.disabled):active,.show>.btn-outline-warning.dropdown-toggle{background-color:#ffc107;border-color:#ffc107;color:#212529}.btn-outline-warning:not(:disabled):not(.disabled).active:focus,.btn-outline-warning:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-warning.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5)}.btn-outline-danger{border-color:#dc3545;color:#dc3545}.btn-outline-danger:hover{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-outline-danger.focus,.btn-outline-danger:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5)}.btn-outline-danger.disabled,.btn-outline-danger:disabled{background-color:transparent;color:#dc3545}.btn-outline-danger:not(:disabled):not(.disabled).active,.btn-outline-danger:not(:disabled):not(.disabled):active,.show>.btn-outline-danger.dropdown-toggle{background-color:#dc3545;border-color:#dc3545;color:#fff}.btn-outline-danger:not(:disabled):not(.disabled).active:focus,.btn-outline-danger:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-danger.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5)}.btn-outline-light{border-color:#f8f9fa;color:#f8f9fa}.btn-outline-light:hover{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-outline-light.focus,.btn-outline-light:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5)}.btn-outline-light.disabled,.btn-outline-light:disabled{background-color:transparent;color:#f8f9fa}.btn-outline-light:not(:disabled):not(.disabled).active,.btn-outline-light:not(:disabled):not(.disabled):active,.show>.btn-outline-light.dropdown-toggle{background-color:#f8f9fa;border-color:#f8f9fa;color:#212529}.btn-outline-light:not(:disabled):not(.disabled).active:focus,.btn-outline-light:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-light.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5)}.btn-outline-dark{border-color:#343a40;color:#343a40}.btn-outline-dark:hover{background-color:#343a40;border-color:#343a40;color:#fff}.btn-outline-dark.focus,.btn-outline-dark:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5)}.btn-outline-dark.disabled,.btn-outline-dark:disabled{background-color:transparent;color:#343a40}.btn-outline-dark:not(:disabled):not(.disabled).active,.btn-outline-dark:not(:disabled):not(.disabled):active,.show>.btn-outline-dark.dropdown-toggle{background-color:#343a40;border-color:#343a40;color:#fff}.btn-outline-dark:not(:disabled):not(.disabled).active:focus,.btn-outline-dark:not(:disabled):not(.disabled):active:focus,.show>.btn-outline-dark.dropdown-toggle:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5)}.btn-link{color:#007bff;font-weight:400;text-decoration:none}.btn-link:hover{color:#0056b3}.btn-link.focus,.btn-link:focus,.btn-link:hover{text-decoration:underline}.btn-link.disabled,.btn-link:disabled{color:#6c757d;pointer-events:none}.btn-group-lg>.btn,.btn-lg,.remote-auth-start .btn-group-lg>.other-server-btn,.remote-auth-start .btn-group-lg>.server-btn{border-radius:.3rem;font-size:1.25rem;line-height:1.5;padding:.5rem 1rem}.btn-group-sm>.btn,.btn-sm,.remote-auth-start .btn-group-sm>.other-server-btn,.remote-auth-start .btn-group-sm>.server-btn{border-radius:.2rem;font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.btn-block,.remote-auth-start .other-server-btn,.remote-auth-start .server-btn{display:block;width:100%}.btn-block+.btn-block,.remote-auth-start .btn-block+.other-server-btn,.remote-auth-start .btn-block+.server-btn,.remote-auth-start .other-server-btn+.btn-block,.remote-auth-start .other-server-btn+.other-server-btn,.remote-auth-start .other-server-btn+.server-btn,.remote-auth-start .server-btn+.btn-block,.remote-auth-start .server-btn+.other-server-btn,.remote-auth-start .server-btn+.server-btn{margin-top:.5rem}.remote-auth-start input[type=button].other-server-btn,.remote-auth-start input[type=button].server-btn,.remote-auth-start input[type=reset].other-server-btn,.remote-auth-start input[type=reset].server-btn,.remote-auth-start input[type=submit].other-server-btn,.remote-auth-start input[type=submit].server-btn,input[type=button].btn-block,input[type=reset].btn-block,input[type=submit].btn-block{width:100%}.fade{transition:opacity .15s linear}@media (prefers-reduced-motion:reduce){.fade{transition:none}}.fade:not(.show){opacity:0}.collapse:not(.show){display:none}.collapsing{height:0;overflow:hidden;position:relative;transition:height .35s ease}@media (prefers-reduced-motion:reduce){.collapsing{transition:none}}.collapsing.width{height:auto;transition:width .35s ease;width:0}@media (prefers-reduced-motion:reduce){.collapsing.width{transition:none}}.dropdown,.dropleft,.dropright,.dropup{position:relative}.dropdown-toggle{white-space:nowrap}.dropdown-toggle:after{border-bottom:0;border-left:.3em solid transparent;border-right:.3em solid transparent;border-top:.3em solid;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropdown-toggle:empty:after{margin-left:0}.dropdown-menu{background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.15);border-radius:.25rem;color:#212529;display:none;float:left;font-size:1rem;left:0;list-style:none;margin:.125rem 0 0;min-width:10rem;padding:.5rem 0;position:absolute;text-align:left;top:100%;z-index:1000}.dropdown-menu-left{left:0;right:auto}.dropdown-menu-right{left:auto;right:0}@media (min-width:576px){.dropdown-menu-sm-left{left:0;right:auto}.dropdown-menu-sm-right{left:auto;right:0}}@media (min-width:768px){.dropdown-menu-md-left{left:0;right:auto}.dropdown-menu-md-right{left:auto;right:0}}@media (min-width:992px){.dropdown-menu-lg-left{left:0;right:auto}.dropdown-menu-lg-right{left:auto;right:0}}@media (min-width:1200px){.dropdown-menu-xl-left{left:0;right:auto}.dropdown-menu-xl-right{left:auto;right:0}}.dropup .dropdown-menu{bottom:100%;margin-bottom:.125rem;margin-top:0;top:auto}.dropup .dropdown-toggle:after{border-bottom:.3em solid;border-left:.3em solid transparent;border-right:.3em solid transparent;border-top:0;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropup .dropdown-toggle:empty:after{margin-left:0}.dropright .dropdown-menu{left:100%;margin-left:.125rem;margin-top:0;right:auto;top:0}.dropright .dropdown-toggle:after{border-bottom:.3em solid transparent;border-left:.3em solid;border-right:0;border-top:.3em solid transparent;content:\"\";display:inline-block;margin-left:.255em;vertical-align:.255em}.dropright .dropdown-toggle:empty:after{margin-left:0}.dropright .dropdown-toggle:after{vertical-align:0}.dropleft .dropdown-menu{left:auto;margin-right:.125rem;margin-top:0;right:100%;top:0}.dropleft .dropdown-toggle:after{content:\"\";display:inline-block;display:none;margin-left:.255em;vertical-align:.255em}.dropleft .dropdown-toggle:before{border-bottom:.3em solid transparent;border-right:.3em solid;border-top:.3em solid transparent;content:\"\";display:inline-block;margin-right:.255em;vertical-align:.255em}.dropleft .dropdown-toggle:empty:after{margin-left:0}.dropleft .dropdown-toggle:before{vertical-align:0}.dropdown-menu[x-placement^=bottom],.dropdown-menu[x-placement^=left],.dropdown-menu[x-placement^=right],.dropdown-menu[x-placement^=top]{bottom:auto;right:auto}.dropdown-divider{border-top:1px solid #e9ecef;height:0;margin:.5rem 0;overflow:hidden}.dropdown-item{background-color:transparent;border:0;clear:both;color:#212529;display:block;font-weight:400;padding:.25rem 1.5rem;text-align:inherit;white-space:nowrap;width:100%}.dropdown-item:focus,.dropdown-item:hover{background-color:#e9ecef;color:#16181b;text-decoration:none}.dropdown-item.active,.dropdown-item:active{background-color:#007bff;color:#fff;text-decoration:none}.dropdown-item.disabled,.dropdown-item:disabled{background-color:transparent;color:#adb5bd;pointer-events:none}.dropdown-menu.show{display:block}.dropdown-header{color:#6c757d;display:block;font-size:.875rem;margin-bottom:0;padding:.5rem 1.5rem;white-space:nowrap}.dropdown-item-text{color:#212529;display:block;padding:.25rem 1.5rem}.btn-group,.btn-group-vertical{display:inline-flex;position:relative;vertical-align:middle}.btn-group-vertical>.btn,.btn-group>.btn,.remote-auth-start .btn-group-vertical>.other-server-btn,.remote-auth-start .btn-group-vertical>.server-btn,.remote-auth-start .btn-group>.other-server-btn,.remote-auth-start .btn-group>.server-btn{flex:1 1 auto;position:relative}.btn-group-vertical>.btn.active,.btn-group-vertical>.btn:active,.btn-group-vertical>.btn:focus,.btn-group-vertical>.btn:hover,.btn-group>.btn.active,.btn-group>.btn:active,.btn-group>.btn:focus,.btn-group>.btn:hover,.remote-auth-start .btn-group-vertical>.active.other-server-btn,.remote-auth-start .btn-group-vertical>.active.server-btn,.remote-auth-start .btn-group-vertical>.other-server-btn:active,.remote-auth-start .btn-group-vertical>.other-server-btn:focus,.remote-auth-start .btn-group-vertical>.other-server-btn:hover,.remote-auth-start .btn-group-vertical>.server-btn:active,.remote-auth-start .btn-group-vertical>.server-btn:focus,.remote-auth-start .btn-group-vertical>.server-btn:hover,.remote-auth-start .btn-group>.active.other-server-btn,.remote-auth-start .btn-group>.active.server-btn,.remote-auth-start .btn-group>.other-server-btn:active,.remote-auth-start .btn-group>.other-server-btn:focus,.remote-auth-start .btn-group>.other-server-btn:hover,.remote-auth-start .btn-group>.server-btn:active,.remote-auth-start .btn-group>.server-btn:focus,.remote-auth-start .btn-group>.server-btn:hover{z-index:1}.btn-toolbar{display:flex;flex-wrap:wrap;justify-content:flex-start}.btn-toolbar .input-group{width:auto}.btn-group>.btn-group:not(:first-child),.btn-group>.btn:not(:first-child),.remote-auth-start .btn-group>.other-server-btn:not(:first-child),.remote-auth-start .btn-group>.server-btn:not(:first-child){margin-left:-1px}.btn-group>.btn-group:not(:last-child)>.btn,.btn-group>.btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .btn-group>.btn-group:not(:last-child)>.other-server-btn,.remote-auth-start .btn-group>.btn-group:not(:last-child)>.server-btn,.remote-auth-start .btn-group>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .btn-group>.server-btn:not(:last-child):not(.dropdown-toggle){border-bottom-right-radius:0;border-top-right-radius:0}.btn-group>.btn-group:not(:first-child)>.btn,.btn-group>.btn:not(:first-child),.remote-auth-start .btn-group>.btn-group:not(:first-child)>.other-server-btn,.remote-auth-start .btn-group>.btn-group:not(:first-child)>.server-btn,.remote-auth-start .btn-group>.other-server-btn:not(:first-child),.remote-auth-start .btn-group>.server-btn:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.dropdown-toggle-split{padding-left:.5625rem;padding-right:.5625rem}.dropdown-toggle-split:after,.dropright .dropdown-toggle-split:after,.dropup .dropdown-toggle-split:after{margin-left:0}.dropleft .dropdown-toggle-split:before{margin-right:0}.btn-group-sm>.btn+.dropdown-toggle-split,.btn-sm+.dropdown-toggle-split,.remote-auth-start .btn-group-sm>.other-server-btn+.dropdown-toggle-split,.remote-auth-start .btn-group-sm>.server-btn+.dropdown-toggle-split{padding-left:.375rem;padding-right:.375rem}.btn-group-lg>.btn+.dropdown-toggle-split,.btn-lg+.dropdown-toggle-split,.remote-auth-start .btn-group-lg>.other-server-btn+.dropdown-toggle-split,.remote-auth-start .btn-group-lg>.server-btn+.dropdown-toggle-split{padding-left:.75rem;padding-right:.75rem}.btn-group-vertical{align-items:flex-start;flex-direction:column;justify-content:center}.btn-group-vertical>.btn,.btn-group-vertical>.btn-group,.remote-auth-start .btn-group-vertical>.other-server-btn,.remote-auth-start .btn-group-vertical>.server-btn{width:100%}.btn-group-vertical>.btn-group:not(:first-child),.btn-group-vertical>.btn:not(:first-child),.remote-auth-start .btn-group-vertical>.other-server-btn:not(:first-child),.remote-auth-start .btn-group-vertical>.server-btn:not(:first-child){margin-top:-1px}.btn-group-vertical>.btn-group:not(:last-child)>.btn,.btn-group-vertical>.btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .btn-group-vertical>.btn-group:not(:last-child)>.other-server-btn,.remote-auth-start .btn-group-vertical>.btn-group:not(:last-child)>.server-btn,.remote-auth-start .btn-group-vertical>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .btn-group-vertical>.server-btn:not(:last-child):not(.dropdown-toggle){border-bottom-left-radius:0;border-bottom-right-radius:0}.btn-group-vertical>.btn-group:not(:first-child)>.btn,.btn-group-vertical>.btn:not(:first-child),.remote-auth-start .btn-group-vertical>.btn-group:not(:first-child)>.other-server-btn,.remote-auth-start .btn-group-vertical>.btn-group:not(:first-child)>.server-btn,.remote-auth-start .btn-group-vertical>.other-server-btn:not(:first-child),.remote-auth-start .btn-group-vertical>.server-btn:not(:first-child){border-top-left-radius:0;border-top-right-radius:0}.btn-group-toggle>.btn,.btn-group-toggle>.btn-group>.btn,.remote-auth-start .btn-group-toggle>.btn-group>.other-server-btn,.remote-auth-start .btn-group-toggle>.btn-group>.server-btn,.remote-auth-start .btn-group-toggle>.other-server-btn,.remote-auth-start .btn-group-toggle>.server-btn{margin-bottom:0}.btn-group-toggle>.btn input[type=checkbox],.btn-group-toggle>.btn input[type=radio],.btn-group-toggle>.btn-group>.btn input[type=checkbox],.btn-group-toggle>.btn-group>.btn input[type=radio],.remote-auth-start .btn-group-toggle>.btn-group>.other-server-btn input[type=checkbox],.remote-auth-start .btn-group-toggle>.btn-group>.other-server-btn input[type=radio],.remote-auth-start .btn-group-toggle>.btn-group>.server-btn input[type=checkbox],.remote-auth-start .btn-group-toggle>.btn-group>.server-btn input[type=radio],.remote-auth-start .btn-group-toggle>.other-server-btn input[type=checkbox],.remote-auth-start .btn-group-toggle>.other-server-btn input[type=radio],.remote-auth-start .btn-group-toggle>.server-btn input[type=checkbox],.remote-auth-start .btn-group-toggle>.server-btn input[type=radio]{clip:rect(0,0,0,0);pointer-events:none;position:absolute}.input-group{align-items:stretch;display:flex;flex-wrap:wrap;position:relative;width:100%}.input-group>.custom-file,.input-group>.custom-select,.input-group>.form-control,.input-group>.form-control-plaintext{flex:1 1 auto;margin-bottom:0;min-width:0;position:relative;width:1%}.input-group>.custom-file+.custom-file,.input-group>.custom-file+.custom-select,.input-group>.custom-file+.form-control,.input-group>.custom-select+.custom-file,.input-group>.custom-select+.custom-select,.input-group>.custom-select+.form-control,.input-group>.form-control+.custom-file,.input-group>.form-control+.custom-select,.input-group>.form-control+.form-control,.input-group>.form-control-plaintext+.custom-file,.input-group>.form-control-plaintext+.custom-select,.input-group>.form-control-plaintext+.form-control{margin-left:-1px}.input-group>.custom-file .custom-file-input:focus~.custom-file-label,.input-group>.custom-select:focus,.input-group>.form-control:focus{z-index:3}.input-group>.custom-file .custom-file-input:focus{z-index:4}.input-group>.custom-select:not(:first-child),.input-group>.form-control:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.input-group>.custom-file{align-items:center;display:flex}.input-group>.custom-file:not(:last-child) .custom-file-label,.input-group>.custom-file:not(:last-child) .custom-file-label:after{border-bottom-right-radius:0;border-top-right-radius:0}.input-group>.custom-file:not(:first-child) .custom-file-label{border-bottom-left-radius:0;border-top-left-radius:0}.input-group.has-validation>.custom-file:nth-last-child(n+3) .custom-file-label,.input-group.has-validation>.custom-file:nth-last-child(n+3) .custom-file-label:after,.input-group.has-validation>.custom-select:nth-last-child(n+3),.input-group.has-validation>.form-control:nth-last-child(n+3),.input-group:not(.has-validation)>.custom-file:not(:last-child) .custom-file-label,.input-group:not(.has-validation)>.custom-file:not(:last-child) .custom-file-label:after,.input-group:not(.has-validation)>.custom-select:not(:last-child),.input-group:not(.has-validation)>.form-control:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.input-group-append,.input-group-prepend{display:flex}.input-group-append .btn,.input-group-append .remote-auth-start .other-server-btn,.input-group-append .remote-auth-start .server-btn,.input-group-prepend .btn,.input-group-prepend .remote-auth-start .other-server-btn,.input-group-prepend .remote-auth-start .server-btn,.remote-auth-start .input-group-append .other-server-btn,.remote-auth-start .input-group-append .server-btn,.remote-auth-start .input-group-prepend .other-server-btn,.remote-auth-start .input-group-prepend .server-btn{position:relative;z-index:2}.input-group-append .btn:focus,.input-group-append .remote-auth-start .other-server-btn:focus,.input-group-append .remote-auth-start .server-btn:focus,.input-group-prepend .btn:focus,.input-group-prepend .remote-auth-start .other-server-btn:focus,.input-group-prepend .remote-auth-start .server-btn:focus,.remote-auth-start .input-group-append .other-server-btn:focus,.remote-auth-start .input-group-append .server-btn:focus,.remote-auth-start .input-group-prepend .other-server-btn:focus,.remote-auth-start .input-group-prepend .server-btn:focus{z-index:3}.input-group-append .btn+.btn,.input-group-append .btn+.input-group-text,.input-group-append .input-group-text+.btn,.input-group-append .input-group-text+.input-group-text,.input-group-append .remote-auth-start .btn+.other-server-btn,.input-group-append .remote-auth-start .btn+.server-btn,.input-group-append .remote-auth-start .input-group-text+.other-server-btn,.input-group-append .remote-auth-start .input-group-text+.server-btn,.input-group-append .remote-auth-start .other-server-btn+.btn,.input-group-append .remote-auth-start .other-server-btn+.input-group-text,.input-group-append .remote-auth-start .other-server-btn+.other-server-btn,.input-group-append .remote-auth-start .other-server-btn+.server-btn,.input-group-append .remote-auth-start .server-btn+.btn,.input-group-append .remote-auth-start .server-btn+.input-group-text,.input-group-append .remote-auth-start .server-btn+.other-server-btn,.input-group-append .remote-auth-start .server-btn+.server-btn,.input-group-prepend .btn+.btn,.input-group-prepend .btn+.input-group-text,.input-group-prepend .input-group-text+.btn,.input-group-prepend .input-group-text+.input-group-text,.input-group-prepend .remote-auth-start .btn+.other-server-btn,.input-group-prepend .remote-auth-start .btn+.server-btn,.input-group-prepend .remote-auth-start .input-group-text+.other-server-btn,.input-group-prepend .remote-auth-start .input-group-text+.server-btn,.input-group-prepend .remote-auth-start .other-server-btn+.btn,.input-group-prepend .remote-auth-start .other-server-btn+.input-group-text,.input-group-prepend .remote-auth-start .other-server-btn+.other-server-btn,.input-group-prepend .remote-auth-start .other-server-btn+.server-btn,.input-group-prepend .remote-auth-start .server-btn+.btn,.input-group-prepend .remote-auth-start .server-btn+.input-group-text,.input-group-prepend .remote-auth-start .server-btn+.other-server-btn,.input-group-prepend .remote-auth-start .server-btn+.server-btn,.remote-auth-start .input-group-append .btn+.other-server-btn,.remote-auth-start .input-group-append .btn+.server-btn,.remote-auth-start .input-group-append .input-group-text+.other-server-btn,.remote-auth-start .input-group-append .input-group-text+.server-btn,.remote-auth-start .input-group-append .other-server-btn+.btn,.remote-auth-start .input-group-append .other-server-btn+.input-group-text,.remote-auth-start .input-group-append .other-server-btn+.other-server-btn,.remote-auth-start .input-group-append .other-server-btn+.server-btn,.remote-auth-start .input-group-append .server-btn+.btn,.remote-auth-start .input-group-append .server-btn+.input-group-text,.remote-auth-start .input-group-append .server-btn+.other-server-btn,.remote-auth-start .input-group-append .server-btn+.server-btn,.remote-auth-start .input-group-prepend .btn+.other-server-btn,.remote-auth-start .input-group-prepend .btn+.server-btn,.remote-auth-start .input-group-prepend .input-group-text+.other-server-btn,.remote-auth-start .input-group-prepend .input-group-text+.server-btn,.remote-auth-start .input-group-prepend .other-server-btn+.btn,.remote-auth-start .input-group-prepend .other-server-btn+.input-group-text,.remote-auth-start .input-group-prepend .other-server-btn+.other-server-btn,.remote-auth-start .input-group-prepend .other-server-btn+.server-btn,.remote-auth-start .input-group-prepend .server-btn+.btn,.remote-auth-start .input-group-prepend .server-btn+.input-group-text,.remote-auth-start .input-group-prepend .server-btn+.other-server-btn,.remote-auth-start .input-group-prepend .server-btn+.server-btn{margin-left:-1px}.input-group-prepend{margin-right:-1px}.input-group-append{margin-left:-1px}.input-group-text{align-items:center;background-color:#e9ecef;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:flex;font-size:1rem;font-weight:400;line-height:1.5;margin-bottom:0;padding:.375rem .75rem;text-align:center;white-space:nowrap}.input-group-text input[type=checkbox],.input-group-text input[type=radio]{margin-top:0}.input-group-lg>.custom-select,.input-group-lg>.form-control:not(textarea){height:calc(1.5em + 1rem + 2px)}.input-group-lg>.custom-select,.input-group-lg>.form-control,.input-group-lg>.input-group-append>.btn,.input-group-lg>.input-group-append>.input-group-text,.input-group-lg>.input-group-prepend>.btn,.input-group-lg>.input-group-prepend>.input-group-text,.remote-auth-start .input-group-lg>.input-group-append>.other-server-btn,.remote-auth-start .input-group-lg>.input-group-append>.server-btn,.remote-auth-start .input-group-lg>.input-group-prepend>.other-server-btn,.remote-auth-start .input-group-lg>.input-group-prepend>.server-btn{border-radius:.3rem;font-size:1.25rem;line-height:1.5;padding:.5rem 1rem}.input-group-sm>.custom-select,.input-group-sm>.form-control:not(textarea){height:calc(1.5em + .5rem + 2px)}.input-group-sm>.custom-select,.input-group-sm>.form-control,.input-group-sm>.input-group-append>.btn,.input-group-sm>.input-group-append>.input-group-text,.input-group-sm>.input-group-prepend>.btn,.input-group-sm>.input-group-prepend>.input-group-text,.remote-auth-start .input-group-sm>.input-group-append>.other-server-btn,.remote-auth-start .input-group-sm>.input-group-append>.server-btn,.remote-auth-start .input-group-sm>.input-group-prepend>.other-server-btn,.remote-auth-start .input-group-sm>.input-group-prepend>.server-btn{border-radius:.2rem;font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.input-group-lg>.custom-select,.input-group-sm>.custom-select{padding-right:1.75rem}.input-group.has-validation>.input-group-append:nth-last-child(n+3)>.btn,.input-group.has-validation>.input-group-append:nth-last-child(n+3)>.input-group-text,.input-group:not(.has-validation)>.input-group-append:not(:last-child)>.btn,.input-group:not(.has-validation)>.input-group-append:not(:last-child)>.input-group-text,.input-group>.input-group-append:last-child>.btn:not(:last-child):not(.dropdown-toggle),.input-group>.input-group-append:last-child>.input-group-text:not(:last-child),.input-group>.input-group-prepend>.btn,.input-group>.input-group-prepend>.input-group-text,.remote-auth-start .input-group.has-validation>.input-group-append:nth-last-child(n+3)>.other-server-btn,.remote-auth-start .input-group.has-validation>.input-group-append:nth-last-child(n+3)>.server-btn,.remote-auth-start .input-group:not(.has-validation)>.input-group-append:not(:last-child)>.other-server-btn,.remote-auth-start .input-group:not(.has-validation)>.input-group-append:not(:last-child)>.server-btn,.remote-auth-start .input-group>.input-group-append:last-child>.other-server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .input-group>.input-group-append:last-child>.server-btn:not(:last-child):not(.dropdown-toggle),.remote-auth-start .input-group>.input-group-prepend>.other-server-btn,.remote-auth-start .input-group>.input-group-prepend>.server-btn{border-bottom-right-radius:0;border-top-right-radius:0}.input-group>.input-group-append>.btn,.input-group>.input-group-append>.input-group-text,.input-group>.input-group-prepend:first-child>.btn:not(:first-child),.input-group>.input-group-prepend:first-child>.input-group-text:not(:first-child),.input-group>.input-group-prepend:not(:first-child)>.btn,.input-group>.input-group-prepend:not(:first-child)>.input-group-text,.remote-auth-start .input-group>.input-group-append>.other-server-btn,.remote-auth-start .input-group>.input-group-append>.server-btn,.remote-auth-start .input-group>.input-group-prepend:first-child>.other-server-btn:not(:first-child),.remote-auth-start .input-group>.input-group-prepend:first-child>.server-btn:not(:first-child),.remote-auth-start .input-group>.input-group-prepend:not(:first-child)>.other-server-btn,.remote-auth-start .input-group>.input-group-prepend:not(:first-child)>.server-btn{border-bottom-left-radius:0;border-top-left-radius:0}.custom-control{display:block;min-height:1.5rem;padding-left:1.5rem;position:relative;-webkit-print-color-adjust:exact;print-color-adjust:exact;z-index:1}.custom-control-inline{display:inline-flex;margin-right:1rem}.custom-control-input{height:1.25rem;left:0;opacity:0;position:absolute;width:1rem;z-index:-1}.custom-control-input:checked~.custom-control-label:before{background-color:#007bff;border-color:#007bff;color:#fff}.custom-control-input:focus~.custom-control-label:before{box-shadow:0 0 0 .2rem rgba(0,123,255,.25)}.custom-control-input:focus:not(:checked)~.custom-control-label:before{border-color:#80bdff}.custom-control-input:not(:disabled):active~.custom-control-label:before{background-color:#b3d7ff;border-color:#b3d7ff;color:#fff}.custom-control-input:disabled~.custom-control-label,.custom-control-input[disabled]~.custom-control-label{color:#6c757d}.custom-control-input:disabled~.custom-control-label:before,.custom-control-input[disabled]~.custom-control-label:before{background-color:#e9ecef}.custom-control-label{margin-bottom:0;position:relative;vertical-align:top}.custom-control-label:before{background-color:#fff;border:1px solid #adb5bd;pointer-events:none}.custom-control-label:after,.custom-control-label:before{content:\"\";display:block;height:1rem;left:-1.5rem;position:absolute;top:.25rem;width:1rem}.custom-control-label:after{background:50%/50% 50% no-repeat}.custom-checkbox .custom-control-label:before{border-radius:.25rem}.custom-checkbox .custom-control-input:checked~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='8' height='8'%3E%3Cpath fill='%23fff' d='m6.564.75-3.59 3.612-1.538-1.55L0 4.26l2.974 2.99L8 2.193z'/%3E%3C/svg%3E\")}.custom-checkbox .custom-control-input:indeterminate~.custom-control-label:before{background-color:#007bff;border-color:#007bff}.custom-checkbox .custom-control-input:indeterminate~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='4'%3E%3Cpath stroke='%23fff' d='M0 2h4'/%3E%3C/svg%3E\")}.custom-checkbox .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-checkbox .custom-control-input:disabled:indeterminate~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-radio .custom-control-label:before{border-radius:50%}.custom-radio .custom-control-input:checked~.custom-control-label:after{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='12' height='12' viewBox='-4 -4 8 8'%3E%3Ccircle r='3' fill='%23fff'/%3E%3C/svg%3E\")}.custom-radio .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-switch{padding-left:2.25rem}.custom-switch .custom-control-label:before{border-radius:.5rem;left:-2.25rem;pointer-events:all;width:1.75rem}.custom-switch .custom-control-label:after{background-color:#adb5bd;border-radius:.5rem;height:calc(1rem - 4px);left:calc(-2.25rem + 2px);top:calc(.25rem + 2px);transition:transform .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:calc(1rem - 4px)}@media (prefers-reduced-motion:reduce){.custom-switch .custom-control-label:after{transition:none}}.custom-switch .custom-control-input:checked~.custom-control-label:after{background-color:#fff;transform:translateX(.75rem)}.custom-switch .custom-control-input:disabled:checked~.custom-control-label:before{background-color:rgba(0,123,255,.5)}.custom-select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:#fff url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='4' height='5'%3E%3Cpath fill='%23343a40' d='M2 0 0 2h4zm0 5L0 3h4z'/%3E%3C/svg%3E\") right .75rem center/8px 10px no-repeat;border:1px solid #ced4da;border-radius:.25rem;color:#495057;display:inline-block;font-size:1rem;font-weight:400;height:calc(1.5em + .75rem + 2px);line-height:1.5;padding:.375rem 1.75rem .375rem .75rem;vertical-align:middle;width:100%}.custom-select:focus{border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0}.custom-select:focus::-ms-value{background-color:#fff;color:#495057}.custom-select[multiple],.custom-select[size]:not([size=\"1\"]){background-image:none;height:auto;padding-right:.75rem}.custom-select:disabled{background-color:#e9ecef;color:#6c757d}.custom-select::-ms-expand{display:none}.custom-select:-moz-focusring{color:transparent;text-shadow:0 0 0 #495057}.custom-select-sm{font-size:.875rem;height:calc(1.5em + .5rem + 2px);padding-bottom:.25rem;padding-left:.5rem;padding-top:.25rem}.custom-select-lg{font-size:1.25rem;height:calc(1.5em + 1rem + 2px);padding-bottom:.5rem;padding-left:1rem;padding-top:.5rem}.custom-file{display:inline-block;margin-bottom:0}.custom-file,.custom-file-input{height:calc(1.5em + .75rem + 2px);position:relative;width:100%}.custom-file-input{margin:0;opacity:0;overflow:hidden;z-index:2}.custom-file-input:focus~.custom-file-label{border-color:#80bdff;box-shadow:0 0 0 .2rem rgba(0,123,255,.25)}.custom-file-input:disabled~.custom-file-label,.custom-file-input[disabled]~.custom-file-label{background-color:#e9ecef}.custom-file-input:lang(en)~.custom-file-label:after{content:\"Browse\"}.custom-file-input~.custom-file-label[data-browse]:after{content:attr(data-browse)}.custom-file-label{background-color:#fff;border:1px solid #ced4da;border-radius:.25rem;font-weight:400;height:calc(1.5em + .75rem + 2px);left:0;overflow:hidden;z-index:1}.custom-file-label,.custom-file-label:after{color:#495057;line-height:1.5;padding:.375rem .75rem;position:absolute;right:0;top:0}.custom-file-label:after{background-color:#e9ecef;border-left:inherit;border-radius:0 .25rem .25rem 0;bottom:0;content:\"Browse\";display:block;height:calc(1.5em + .75rem);z-index:3}.custom-range{-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:transparent;height:1.4rem;padding:0;width:100%}.custom-range:focus{outline:0}.custom-range:focus::-webkit-slider-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range:focus::-moz-range-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range:focus::-ms-thumb{box-shadow:0 0 0 1px #fff,0 0 0 .2rem rgba(0,123,255,.25)}.custom-range::-moz-focus-outer{border:0}.custom-range::-webkit-slider-thumb{-webkit-appearance:none;appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;margin-top:-.25rem;-webkit-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-webkit-slider-thumb{-webkit-transition:none;transition:none}}.custom-range::-webkit-slider-thumb:active{background-color:#b3d7ff}.custom-range::-webkit-slider-runnable-track{background-color:#dee2e6;border-color:transparent;border-radius:1rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-moz-range-thumb{-moz-appearance:none;appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;-moz-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-moz-range-thumb{-moz-transition:none;transition:none}}.custom-range::-moz-range-thumb:active{background-color:#b3d7ff}.custom-range::-moz-range-track{background-color:#dee2e6;border-color:transparent;border-radius:1rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-ms-thumb{appearance:none;background-color:#007bff;border:0;border-radius:1rem;height:1rem;margin-left:.2rem;margin-right:.2rem;margin-top:0;-ms-transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;width:1rem}@media (prefers-reduced-motion:reduce){.custom-range::-ms-thumb{-ms-transition:none;transition:none}}.custom-range::-ms-thumb:active{background-color:#b3d7ff}.custom-range::-ms-track{background-color:transparent;border-color:transparent;border-width:.5rem;color:transparent;cursor:pointer;height:.5rem;width:100%}.custom-range::-ms-fill-lower,.custom-range::-ms-fill-upper{background-color:#dee2e6;border-radius:1rem}.custom-range::-ms-fill-upper{margin-right:15px}.custom-range:disabled::-webkit-slider-thumb{background-color:#adb5bd}.custom-range:disabled::-webkit-slider-runnable-track{cursor:default}.custom-range:disabled::-moz-range-thumb{background-color:#adb5bd}.custom-range:disabled::-moz-range-track{cursor:default}.custom-range:disabled::-ms-thumb{background-color:#adb5bd}.custom-control-label:before,.custom-file-label,.custom-select{transition:background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out}@media (prefers-reduced-motion:reduce){.custom-control-label:before,.custom-file-label,.custom-select{transition:none}}.nav{display:flex;flex-wrap:wrap;list-style:none;margin-bottom:0;padding-left:0}.nav-link{display:block;padding:.5rem 1rem}.nav-link:focus,.nav-link:hover{text-decoration:none}.nav-link.disabled{color:#6c757d;cursor:default;pointer-events:none}.nav-tabs{border-bottom:1px solid #dee2e6}.nav-tabs .nav-link{background-color:transparent;border:1px solid transparent;border-top-left-radius:.25rem;border-top-right-radius:.25rem;margin-bottom:-1px}.nav-tabs .nav-link:focus,.nav-tabs .nav-link:hover{border-color:#e9ecef #e9ecef #dee2e6;isolation:isolate}.nav-tabs .nav-link.disabled{background-color:transparent;border-color:transparent;color:#6c757d}.nav-tabs .nav-item.show .nav-link,.nav-tabs .nav-link.active{background-color:#fff;border-color:#dee2e6 #dee2e6 #fff;color:#495057}.nav-tabs .dropdown-menu{border-top-left-radius:0;border-top-right-radius:0;margin-top:-1px}.nav-pills .nav-link{background:none;border:0;border-radius:.25rem}.nav-pills .nav-link.active,.nav-pills .show>.nav-link{background-color:#007bff;color:#fff}.nav-fill .nav-item,.nav-fill>.nav-link{flex:1 1 auto;text-align:center}.nav-justified .nav-item,.nav-justified>.nav-link{flex-basis:0;flex-grow:1;text-align:center}.tab-content>.tab-pane{display:none}.tab-content>.active{display:block}.navbar{padding:.5rem 1rem;position:relative}.navbar,.navbar .container,.navbar .container-fluid,.navbar .container-lg,.navbar .container-md,.navbar .container-sm,.navbar .container-xl{align-items:center;display:flex;flex-wrap:wrap;justify-content:space-between}.navbar-brand{display:inline-block;font-size:1.25rem;line-height:inherit;margin-right:1rem;padding-bottom:.3125rem;padding-top:.3125rem;white-space:nowrap}.navbar-brand:focus,.navbar-brand:hover{text-decoration:none}.navbar-nav{display:flex;flex-direction:column;list-style:none;margin-bottom:0;padding-left:0}.navbar-nav .nav-link{padding-left:0;padding-right:0}.navbar-nav .dropdown-menu{float:none;position:static}.navbar-text{display:inline-block;padding-bottom:.5rem;padding-top:.5rem}.navbar-collapse{align-items:center;flex-basis:100%;flex-grow:1}.navbar-toggler{background-color:transparent;border:1px solid transparent;border-radius:.25rem;font-size:1.25rem;line-height:1;padding:.25rem .75rem}.navbar-toggler:focus,.navbar-toggler:hover{text-decoration:none}.navbar-toggler-icon{background:50%/100% 100% no-repeat;content:\"\";display:inline-block;height:1.5em;vertical-align:middle;width:1.5em}.navbar-nav-scroll{max-height:75vh;overflow-y:auto}@media (max-width:575.98px){.navbar-expand-sm>.container,.navbar-expand-sm>.container-fluid,.navbar-expand-sm>.container-lg,.navbar-expand-sm>.container-md,.navbar-expand-sm>.container-sm,.navbar-expand-sm>.container-xl{padding-left:0;padding-right:0}}@media (min-width:576px){.navbar-expand-sm{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-sm .navbar-nav{flex-direction:row}.navbar-expand-sm .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-sm .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-sm>.container,.navbar-expand-sm>.container-fluid,.navbar-expand-sm>.container-lg,.navbar-expand-sm>.container-md,.navbar-expand-sm>.container-sm,.navbar-expand-sm>.container-xl{flex-wrap:nowrap}.navbar-expand-sm .navbar-nav-scroll{overflow:visible}.navbar-expand-sm .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-sm .navbar-toggler{display:none}}@media (max-width:767.98px){.navbar-expand-md>.container,.navbar-expand-md>.container-fluid,.navbar-expand-md>.container-lg,.navbar-expand-md>.container-md,.navbar-expand-md>.container-sm,.navbar-expand-md>.container-xl{padding-left:0;padding-right:0}}@media (min-width:768px){.navbar-expand-md{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-md .navbar-nav{flex-direction:row}.navbar-expand-md .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-md .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-md>.container,.navbar-expand-md>.container-fluid,.navbar-expand-md>.container-lg,.navbar-expand-md>.container-md,.navbar-expand-md>.container-sm,.navbar-expand-md>.container-xl{flex-wrap:nowrap}.navbar-expand-md .navbar-nav-scroll{overflow:visible}.navbar-expand-md .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-md .navbar-toggler{display:none}}@media (max-width:991.98px){.navbar-expand-lg>.container,.navbar-expand-lg>.container-fluid,.navbar-expand-lg>.container-lg,.navbar-expand-lg>.container-md,.navbar-expand-lg>.container-sm,.navbar-expand-lg>.container-xl{padding-left:0;padding-right:0}}@media (min-width:992px){.navbar-expand-lg{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-lg .navbar-nav{flex-direction:row}.navbar-expand-lg .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-lg .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-lg>.container,.navbar-expand-lg>.container-fluid,.navbar-expand-lg>.container-lg,.navbar-expand-lg>.container-md,.navbar-expand-lg>.container-sm,.navbar-expand-lg>.container-xl{flex-wrap:nowrap}.navbar-expand-lg .navbar-nav-scroll{overflow:visible}.navbar-expand-lg .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-lg .navbar-toggler{display:none}}@media (max-width:1199.98px){.navbar-expand-xl>.container,.navbar-expand-xl>.container-fluid,.navbar-expand-xl>.container-lg,.navbar-expand-xl>.container-md,.navbar-expand-xl>.container-sm,.navbar-expand-xl>.container-xl{padding-left:0;padding-right:0}}@media (min-width:1200px){.navbar-expand-xl{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand-xl .navbar-nav{flex-direction:row}.navbar-expand-xl .navbar-nav .dropdown-menu{position:absolute}.navbar-expand-xl .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand-xl>.container,.navbar-expand-xl>.container-fluid,.navbar-expand-xl>.container-lg,.navbar-expand-xl>.container-md,.navbar-expand-xl>.container-sm,.navbar-expand-xl>.container-xl{flex-wrap:nowrap}.navbar-expand-xl .navbar-nav-scroll{overflow:visible}.navbar-expand-xl .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand-xl .navbar-toggler{display:none}}.navbar-expand{flex-flow:row nowrap;justify-content:flex-start}.navbar-expand>.container,.navbar-expand>.container-fluid,.navbar-expand>.container-lg,.navbar-expand>.container-md,.navbar-expand>.container-sm,.navbar-expand>.container-xl{padding-left:0;padding-right:0}.navbar-expand .navbar-nav{flex-direction:row}.navbar-expand .navbar-nav .dropdown-menu{position:absolute}.navbar-expand .navbar-nav .nav-link{padding-left:.5rem;padding-right:.5rem}.navbar-expand>.container,.navbar-expand>.container-fluid,.navbar-expand>.container-lg,.navbar-expand>.container-md,.navbar-expand>.container-sm,.navbar-expand>.container-xl{flex-wrap:nowrap}.navbar-expand .navbar-nav-scroll{overflow:visible}.navbar-expand .navbar-collapse{display:flex!important;flex-basis:auto}.navbar-expand .navbar-toggler{display:none}.navbar-light .navbar-brand,.navbar-light .navbar-brand:focus,.navbar-light .navbar-brand:hover{color:rgba(0,0,0,.9)}.navbar-light .navbar-nav .nav-link{color:rgba(0,0,0,.5)}.navbar-light .navbar-nav .nav-link:focus,.navbar-light .navbar-nav .nav-link:hover{color:rgba(0,0,0,.7)}.navbar-light .navbar-nav .nav-link.disabled{color:rgba(0,0,0,.3)}.navbar-light .navbar-nav .active>.nav-link,.navbar-light .navbar-nav .nav-link.active,.navbar-light .navbar-nav .nav-link.show,.navbar-light .navbar-nav .show>.nav-link{color:rgba(0,0,0,.9)}.navbar-light .navbar-toggler{border-color:rgba(0,0,0,.1);color:rgba(0,0,0,.5)}.navbar-light .navbar-toggler-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='30' height='30'%3E%3Cpath stroke='rgba(0, 0, 0, 0.5)' stroke-linecap='round' stroke-miterlimit='10' stroke-width='2' d='M4 7h22M4 15h22M4 23h22'/%3E%3C/svg%3E\")}.navbar-light .navbar-text{color:rgba(0,0,0,.5)}.navbar-light .navbar-text a,.navbar-light .navbar-text a:focus,.navbar-light .navbar-text a:hover{color:rgba(0,0,0,.9)}.navbar-dark .navbar-brand,.navbar-dark .navbar-brand:focus,.navbar-dark .navbar-brand:hover{color:#fff}.navbar-dark .navbar-nav .nav-link{color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-nav .nav-link:focus,.navbar-dark .navbar-nav .nav-link:hover{color:hsla(0,0%,100%,.75)}.navbar-dark .navbar-nav .nav-link.disabled{color:hsla(0,0%,100%,.25)}.navbar-dark .navbar-nav .active>.nav-link,.navbar-dark .navbar-nav .nav-link.active,.navbar-dark .navbar-nav .nav-link.show,.navbar-dark .navbar-nav .show>.nav-link{color:#fff}.navbar-dark .navbar-toggler{border-color:hsla(0,0%,100%,.1);color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-toggler-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' width='30' height='30'%3E%3Cpath stroke='rgba(255, 255, 255, 0.5)' stroke-linecap='round' stroke-miterlimit='10' stroke-width='2' d='M4 7h22M4 15h22M4 23h22'/%3E%3C/svg%3E\")}.navbar-dark .navbar-text{color:hsla(0,0%,100%,.5)}.navbar-dark .navbar-text a,.navbar-dark .navbar-text a:focus,.navbar-dark .navbar-text a:hover{color:#fff}.card{word-wrap:break-word;background-clip:border-box;background-color:#fff;border:1px solid rgba(0,0,0,.125);border-radius:.25rem;display:flex;flex-direction:column;min-width:0;position:relative}.card>hr{margin-left:0;margin-right:0}.card>.list-group{border-bottom:inherit;border-top:inherit}.card>.list-group:first-child{border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px);border-top-width:0}.card>.list-group:last-child{border-bottom-left-radius:calc(.25rem - 1px);border-bottom-right-radius:calc(.25rem - 1px);border-bottom-width:0}.card>.card-header+.list-group,.card>.list-group+.card-footer{border-top:0}.card-body{flex:1 1 auto;min-height:1px;padding:1.25rem}.card-title{margin-bottom:.75rem}.card-subtitle{margin-top:-.375rem}.card-subtitle,.card-text:last-child{margin-bottom:0}.card-link:hover{text-decoration:none}.card-link+.card-link{margin-left:1.25rem}.card-header{background-color:rgba(0,0,0,.03);border-bottom:1px solid rgba(0,0,0,.125);margin-bottom:0;padding:.75rem 1.25rem}.card-header:first-child{border-radius:calc(.25rem - 1px) calc(.25rem - 1px) 0 0}.card-footer{background-color:rgba(0,0,0,.03);border-top:1px solid rgba(0,0,0,.125);padding:.75rem 1.25rem}.card-footer:last-child{border-radius:0 0 calc(.25rem - 1px) calc(.25rem - 1px)}.card-header-tabs{border-bottom:0;margin-bottom:-.75rem}.card-header-pills,.card-header-tabs{margin-left:-.625rem;margin-right:-.625rem}.card-img-overlay{border-radius:calc(.25rem - 1px);bottom:0;left:0;padding:1.25rem;position:absolute;right:0;top:0}.card-img,.card-img-bottom,.card-img-top{flex-shrink:0;width:100%}.card-img,.card-img-top{border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px)}.card-img,.card-img-bottom{border-bottom-left-radius:calc(.25rem - 1px);border-bottom-right-radius:calc(.25rem - 1px)}.card-deck .card{margin-bottom:15px}@media (min-width:576px){.card-deck{display:flex;flex-flow:row wrap;margin-left:-15px;margin-right:-15px}.card-deck .card{flex:1 0 0%;margin-bottom:0;margin-left:15px;margin-right:15px}}.card-group>.card{margin-bottom:15px}@media (min-width:576px){.card-group{display:flex;flex-flow:row wrap}.card-group>.card{flex:1 0 0%;margin-bottom:0}.card-group>.card+.card{border-left:0;margin-left:0}.card-group>.card:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.card-group>.card:not(:last-child) .card-header,.card-group>.card:not(:last-child) .card-img-top{border-top-right-radius:0}.card-group>.card:not(:last-child) .card-footer,.card-group>.card:not(:last-child) .card-img-bottom{border-bottom-right-radius:0}.card-group>.card:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.card-group>.card:not(:first-child) .card-header,.card-group>.card:not(:first-child) .card-img-top{border-top-left-radius:0}.card-group>.card:not(:first-child) .card-footer,.card-group>.card:not(:first-child) .card-img-bottom{border-bottom-left-radius:0}}.card-columns .card{margin-bottom:.75rem}@media (min-width:576px){.card-columns{-moz-column-count:3;column-count:3;-moz-column-gap:1.25rem;column-gap:1.25rem;orphans:1;widows:1}.card-columns .card{display:inline-block;width:100%}}.accordion{overflow-anchor:none}.accordion>.card{overflow:hidden}.accordion>.card:not(:last-of-type){border-bottom:0;border-bottom-left-radius:0;border-bottom-right-radius:0}.accordion>.card:not(:first-of-type){border-top-left-radius:0;border-top-right-radius:0}.accordion>.card>.card-header{border-radius:0;margin-bottom:-1px}.breadcrumb{background-color:#e9ecef;border-radius:.25rem;display:flex;flex-wrap:wrap;list-style:none;margin-bottom:1rem;padding:.75rem 1rem}.breadcrumb-item+.breadcrumb-item{padding-left:.5rem}.breadcrumb-item+.breadcrumb-item:before{color:#6c757d;content:\"/\";float:left;padding-right:.5rem}.breadcrumb-item+.breadcrumb-item:hover:before{text-decoration:underline;text-decoration:none}.breadcrumb-item.active{color:#6c757d}.pagination{border-radius:.25rem;display:flex;list-style:none;padding-left:0}.page-link{background-color:#fff;border:1px solid #dee2e6;color:#007bff;display:block;line-height:1.25;margin-left:-1px;padding:.5rem .75rem;position:relative}.page-link:hover{background-color:#e9ecef;border-color:#dee2e6;color:#0056b3;text-decoration:none;z-index:2}.page-link:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.25);outline:0;z-index:3}.page-item:first-child .page-link{border-bottom-left-radius:.25rem;border-top-left-radius:.25rem;margin-left:0}.page-item:last-child .page-link{border-bottom-right-radius:.25rem;border-top-right-radius:.25rem}.page-item.active .page-link{background-color:#007bff;border-color:#007bff;color:#fff;z-index:3}.page-item.disabled .page-link{background-color:#fff;border-color:#dee2e6;color:#6c757d;cursor:auto;pointer-events:none}.pagination-lg .page-link{font-size:1.25rem;line-height:1.5;padding:.75rem 1.5rem}.pagination-lg .page-item:first-child .page-link{border-bottom-left-radius:.3rem;border-top-left-radius:.3rem}.pagination-lg .page-item:last-child .page-link{border-bottom-right-radius:.3rem;border-top-right-radius:.3rem}.pagination-sm .page-link{font-size:.875rem;line-height:1.5;padding:.25rem .5rem}.pagination-sm .page-item:first-child .page-link{border-bottom-left-radius:.2rem;border-top-left-radius:.2rem}.pagination-sm .page-item:last-child .page-link{border-bottom-right-radius:.2rem;border-top-right-radius:.2rem}.badge{border-radius:.25rem;display:inline-block;font-size:75%;font-weight:700;line-height:1;padding:.25em .4em;text-align:center;transition:color .15s ease-in-out,background-color .15s ease-in-out,border-color .15s ease-in-out,box-shadow .15s ease-in-out;vertical-align:baseline;white-space:nowrap}@media (prefers-reduced-motion:reduce){.badge{transition:none}}a.badge:focus,a.badge:hover{text-decoration:none}.badge:empty{display:none}.btn .badge,.remote-auth-start .other-server-btn .badge,.remote-auth-start .server-btn .badge{position:relative;top:-1px}.badge-pill{border-radius:10rem;padding-left:.6em;padding-right:.6em}.badge-primary{background-color:#007bff;color:#fff}a.badge-primary:focus,a.badge-primary:hover{background-color:#0062cc;color:#fff}a.badge-primary.focus,a.badge-primary:focus{box-shadow:0 0 0 .2rem rgba(0,123,255,.5);outline:0}.badge-secondary{background-color:#6c757d;color:#fff}a.badge-secondary:focus,a.badge-secondary:hover{background-color:#545b62;color:#fff}a.badge-secondary.focus,a.badge-secondary:focus{box-shadow:0 0 0 .2rem hsla(208,7%,46%,.5);outline:0}.badge-success{background-color:#28a745;color:#fff}a.badge-success:focus,a.badge-success:hover{background-color:#1e7e34;color:#fff}a.badge-success.focus,a.badge-success:focus{box-shadow:0 0 0 .2rem rgba(40,167,69,.5);outline:0}.badge-info{background-color:#17a2b8;color:#fff}a.badge-info:focus,a.badge-info:hover{background-color:#117a8b;color:#fff}a.badge-info.focus,a.badge-info:focus{box-shadow:0 0 0 .2rem rgba(23,162,184,.5);outline:0}.badge-warning{background-color:#ffc107;color:#212529}a.badge-warning:focus,a.badge-warning:hover{background-color:#d39e00;color:#212529}a.badge-warning.focus,a.badge-warning:focus{box-shadow:0 0 0 .2rem rgba(255,193,7,.5);outline:0}.badge-danger{background-color:#dc3545;color:#fff}a.badge-danger:focus,a.badge-danger:hover{background-color:#bd2130;color:#fff}a.badge-danger.focus,a.badge-danger:focus{box-shadow:0 0 0 .2rem rgba(220,53,69,.5);outline:0}.badge-light{background-color:#f8f9fa;color:#212529}a.badge-light:focus,a.badge-light:hover{background-color:#dae0e5;color:#212529}a.badge-light.focus,a.badge-light:focus{box-shadow:0 0 0 .2rem rgba(248,249,250,.5);outline:0}.badge-dark{background-color:#343a40;color:#fff}a.badge-dark:focus,a.badge-dark:hover{background-color:#1d2124;color:#fff}a.badge-dark.focus,a.badge-dark:focus{box-shadow:0 0 0 .2rem rgba(52,58,64,.5);outline:0}.jumbotron{background-color:#e9ecef;border-radius:.3rem;margin-bottom:2rem;padding:2rem 1rem}@media (min-width:576px){.jumbotron{padding:4rem 2rem}}.jumbotron-fluid{border-radius:0;padding-left:0;padding-right:0}.alert{border:1px solid transparent;border-radius:.25rem;margin-bottom:1rem;padding:.75rem 1.25rem;position:relative}.alert-heading{color:inherit}.alert-link{font-weight:700}.alert-dismissible{padding-right:4rem}.alert-dismissible .close{color:inherit;padding:.75rem 1.25rem;position:absolute;right:0;top:0;z-index:2}.alert-primary{background-color:#cce5ff;border-color:#b8daff;color:#004085}.alert-primary hr{border-top-color:#9fcdff}.alert-primary .alert-link{color:#002752}.alert-secondary{background-color:#e2e3e5;border-color:#d6d8db;color:#383d41}.alert-secondary hr{border-top-color:#c8cbcf}.alert-secondary .alert-link{color:#202326}.alert-success{background-color:#d4edda;border-color:#c3e6cb;color:#155724}.alert-success hr{border-top-color:#b1dfbb}.alert-success .alert-link{color:#0b2e13}.alert-info{background-color:#d1ecf1;border-color:#bee5eb;color:#0c5460}.alert-info hr{border-top-color:#abdde5}.alert-info .alert-link{color:#062c33}.alert-warning{background-color:#fff3cd;border-color:#ffeeba;color:#856404}.alert-warning hr{border-top-color:#ffe8a1}.alert-warning .alert-link{color:#533f03}.alert-danger{background-color:#f8d7da;border-color:#f5c6cb;color:#721c24}.alert-danger hr{border-top-color:#f1b0b7}.alert-danger .alert-link{color:#491217}.alert-light{background-color:#fefefe;border-color:#fdfdfe;color:#818182}.alert-light hr{border-top-color:#ececf6}.alert-light .alert-link{color:#686868}.alert-dark{background-color:#d6d8d9;border-color:#c6c8ca;color:#1b1e21}.alert-dark hr{border-top-color:#b9bbbe}.alert-dark .alert-link{color:#040505}@keyframes progress-bar-stripes{0%{background-position:1rem 0}to{background-position:0 0}}.progress{background-color:#e9ecef;border-radius:.25rem;font-size:.75rem;height:1rem;line-height:0}.progress,.progress-bar{display:flex;overflow:hidden}.progress-bar{background-color:#007bff;color:#fff;flex-direction:column;justify-content:center;text-align:center;transition:width .6s ease;white-space:nowrap}@media (prefers-reduced-motion:reduce){.progress-bar{transition:none}}.progress-bar-striped{background-image:linear-gradient(45deg,hsla(0,0%,100%,.15) 25%,transparent 0,transparent 50%,hsla(0,0%,100%,.15) 0,hsla(0,0%,100%,.15) 75%,transparent 0,transparent);background-size:1rem 1rem}.progress-bar-animated{animation:progress-bar-stripes 1s linear infinite}@media (prefers-reduced-motion:reduce){.progress-bar-animated{animation:none}}.media{align-items:flex-start;display:flex}.media-body{flex:1}.list-group{border-radius:.25rem;display:flex;flex-direction:column;margin-bottom:0;padding-left:0}.list-group-item-action{color:#495057;text-align:inherit;width:100%}.list-group-item-action:focus,.list-group-item-action:hover{background-color:#f8f9fa;color:#495057;text-decoration:none;z-index:1}.list-group-item-action:active{background-color:#e9ecef;color:#212529}.list-group-item{background-color:#fff;border:1px solid rgba(0,0,0,.125);display:block;padding:.75rem 1.25rem;position:relative}.list-group-item:first-child{border-top-left-radius:inherit;border-top-right-radius:inherit}.list-group-item:last-child{border-bottom-left-radius:inherit;border-bottom-right-radius:inherit}.list-group-item.disabled,.list-group-item:disabled{background-color:#fff;color:#6c757d;pointer-events:none}.list-group-item.active{background-color:#007bff;border-color:#007bff;color:#fff;z-index:2}.list-group-item+.list-group-item{border-top-width:0}.list-group-item+.list-group-item.active{border-top-width:1px;margin-top:-1px}.list-group-horizontal{flex-direction:row}.list-group-horizontal>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal>.list-group-item.active{margin-top:0}.list-group-horizontal>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}@media (min-width:576px){.list-group-horizontal-sm{flex-direction:row}.list-group-horizontal-sm>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-sm>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-sm>.list-group-item.active{margin-top:0}.list-group-horizontal-sm>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-sm>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:768px){.list-group-horizontal-md{flex-direction:row}.list-group-horizontal-md>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-md>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-md>.list-group-item.active{margin-top:0}.list-group-horizontal-md>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-md>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:992px){.list-group-horizontal-lg{flex-direction:row}.list-group-horizontal-lg>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-lg>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-lg>.list-group-item.active{margin-top:0}.list-group-horizontal-lg>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-lg>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}@media (min-width:1200px){.list-group-horizontal-xl{flex-direction:row}.list-group-horizontal-xl>.list-group-item:first-child{border-bottom-left-radius:.25rem;border-top-right-radius:0}.list-group-horizontal-xl>.list-group-item:last-child{border-bottom-left-radius:0;border-top-right-radius:.25rem}.list-group-horizontal-xl>.list-group-item.active{margin-top:0}.list-group-horizontal-xl>.list-group-item+.list-group-item{border-left-width:0;border-top-width:1px}.list-group-horizontal-xl>.list-group-item+.list-group-item.active{border-left-width:1px;margin-left:-1px}}.list-group-flush{border-radius:0}.list-group-flush>.list-group-item{border-width:0 0 1px}.list-group-flush>.list-group-item:last-child{border-bottom-width:0}.list-group-item-primary{background-color:#b8daff;color:#004085}.list-group-item-primary.list-group-item-action:focus,.list-group-item-primary.list-group-item-action:hover{background-color:#9fcdff;color:#004085}.list-group-item-primary.list-group-item-action.active{background-color:#004085;border-color:#004085;color:#fff}.list-group-item-secondary{background-color:#d6d8db;color:#383d41}.list-group-item-secondary.list-group-item-action:focus,.list-group-item-secondary.list-group-item-action:hover{background-color:#c8cbcf;color:#383d41}.list-group-item-secondary.list-group-item-action.active{background-color:#383d41;border-color:#383d41;color:#fff}.list-group-item-success{background-color:#c3e6cb;color:#155724}.list-group-item-success.list-group-item-action:focus,.list-group-item-success.list-group-item-action:hover{background-color:#b1dfbb;color:#155724}.list-group-item-success.list-group-item-action.active{background-color:#155724;border-color:#155724;color:#fff}.list-group-item-info{background-color:#bee5eb;color:#0c5460}.list-group-item-info.list-group-item-action:focus,.list-group-item-info.list-group-item-action:hover{background-color:#abdde5;color:#0c5460}.list-group-item-info.list-group-item-action.active{background-color:#0c5460;border-color:#0c5460;color:#fff}.list-group-item-warning{background-color:#ffeeba;color:#856404}.list-group-item-warning.list-group-item-action:focus,.list-group-item-warning.list-group-item-action:hover{background-color:#ffe8a1;color:#856404}.list-group-item-warning.list-group-item-action.active{background-color:#856404;border-color:#856404;color:#fff}.list-group-item-danger{background-color:#f5c6cb;color:#721c24}.list-group-item-danger.list-group-item-action:focus,.list-group-item-danger.list-group-item-action:hover{background-color:#f1b0b7;color:#721c24}.list-group-item-danger.list-group-item-action.active{background-color:#721c24;border-color:#721c24;color:#fff}.list-group-item-light{background-color:#fdfdfe;color:#818182}.list-group-item-light.list-group-item-action:focus,.list-group-item-light.list-group-item-action:hover{background-color:#ececf6;color:#818182}.list-group-item-light.list-group-item-action.active{background-color:#818182;border-color:#818182;color:#fff}.list-group-item-dark{background-color:#c6c8ca;color:#1b1e21}.list-group-item-dark.list-group-item-action:focus,.list-group-item-dark.list-group-item-action:hover{background-color:#b9bbbe;color:#1b1e21}.list-group-item-dark.list-group-item-action.active{background-color:#1b1e21;border-color:#1b1e21;color:#fff}.close{color:#000;float:right;font-size:1.5rem;font-weight:700;line-height:1;opacity:.5;text-shadow:0 1px 0 #fff}.close:hover{color:#000;text-decoration:none}.close:not(:disabled):not(.disabled):focus,.close:not(:disabled):not(.disabled):hover{opacity:.75}button.close{background-color:transparent;border:0;padding:0}a.close.disabled{pointer-events:none}.toast{background-clip:padding-box;background-color:hsla(0,0%,100%,.85);border:1px solid rgba(0,0,0,.1);border-radius:.25rem;box-shadow:0 .25rem .75rem rgba(0,0,0,.1);flex-basis:350px;font-size:.875rem;max-width:350px;opacity:0}.toast:not(:last-child){margin-bottom:.75rem}.toast.showing{opacity:1}.toast.show{display:block;opacity:1}.toast.hide{display:none}.toast-header{align-items:center;background-clip:padding-box;background-color:hsla(0,0%,100%,.85);border-bottom:1px solid rgba(0,0,0,.05);border-top-left-radius:calc(.25rem - 1px);border-top-right-radius:calc(.25rem - 1px);color:#6c757d;display:flex;padding:.25rem .75rem}.toast-body{padding:.75rem}.modal-open{overflow:hidden}.modal-open .modal{overflow-x:hidden;overflow-y:auto}.modal{display:none;height:100%;left:0;outline:0;overflow:hidden;position:fixed;top:0;width:100%;z-index:1050}.modal-dialog{margin:.5rem;pointer-events:none;position:relative;width:auto}.modal.fade .modal-dialog{transform:translateY(-50px);transition:transform .3s ease-out}@media (prefers-reduced-motion:reduce){.modal.fade .modal-dialog{transition:none}}.modal.show .modal-dialog{transform:none}.modal.modal-static .modal-dialog{transform:scale(1.02)}.modal-dialog-scrollable{display:flex;max-height:calc(100% - 1rem)}.modal-dialog-scrollable .modal-content{max-height:calc(100vh - 1rem);overflow:hidden}.modal-dialog-scrollable .modal-footer,.modal-dialog-scrollable .modal-header{flex-shrink:0}.modal-dialog-scrollable .modal-body{overflow-y:auto}.modal-dialog-centered{align-items:center;display:flex;min-height:calc(100% - 1rem)}.modal-dialog-centered:before{content:\"\";display:block;height:calc(100vh - 1rem);height:-moz-min-content;height:min-content}.modal-dialog-centered.modal-dialog-scrollable{flex-direction:column;height:100%;justify-content:center}.modal-dialog-centered.modal-dialog-scrollable .modal-content{max-height:none}.modal-dialog-centered.modal-dialog-scrollable:before{content:none}.modal-content{background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.2);border-radius:.3rem;display:flex;flex-direction:column;outline:0;pointer-events:auto;position:relative;width:100%}.modal-backdrop{background-color:#000;height:100vh;left:0;position:fixed;top:0;width:100vw;z-index:1040}.modal-backdrop.fade{opacity:0}.modal-backdrop.show{opacity:.5}.modal-header{align-items:flex-start;border-bottom:1px solid #dee2e6;border-top-left-radius:calc(.3rem - 1px);border-top-right-radius:calc(.3rem - 1px);display:flex;justify-content:space-between;padding:1rem}.modal-header .close{margin:-1rem -1rem -1rem auto;padding:1rem}.modal-title{line-height:1.5;margin-bottom:0}.modal-body{flex:1 1 auto;padding:1rem;position:relative}.modal-footer{align-items:center;border-bottom-left-radius:calc(.3rem - 1px);border-bottom-right-radius:calc(.3rem - 1px);border-top:1px solid #dee2e6;display:flex;flex-wrap:wrap;justify-content:flex-end;padding:.75rem}.modal-footer>*{margin:.25rem}.modal-scrollbar-measure{height:50px;overflow:scroll;position:absolute;top:-9999px;width:50px}@media (min-width:576px){.modal-dialog{margin:1.75rem auto;max-width:500px}.modal-dialog-scrollable{max-height:calc(100% - 3.5rem)}.modal-dialog-scrollable .modal-content{max-height:calc(100vh - 3.5rem)}.modal-dialog-centered{min-height:calc(100% - 3.5rem)}.modal-dialog-centered:before{height:calc(100vh - 3.5rem);height:-moz-min-content;height:min-content}.modal-sm{max-width:300px}}@media (min-width:992px){.modal-lg,.modal-xl{max-width:800px}}@media (min-width:1200px){.modal-xl{max-width:1140px}}.tooltip{word-wrap:break-word;display:block;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:.875rem;font-style:normal;font-weight:400;letter-spacing:normal;line-break:auto;line-height:1.5;margin:0;opacity:0;position:absolute;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;white-space:normal;word-break:normal;word-spacing:normal;z-index:1070}.tooltip.show{opacity:.9}.tooltip .arrow{display:block;height:.4rem;position:absolute;width:.8rem}.tooltip .arrow:before{border-color:transparent;border-style:solid;content:\"\";position:absolute}.bs-tooltip-auto[x-placement^=top],.bs-tooltip-top{padding:.4rem 0}.bs-tooltip-auto[x-placement^=top] .arrow,.bs-tooltip-top .arrow{bottom:0}.bs-tooltip-auto[x-placement^=top] .arrow:before,.bs-tooltip-top .arrow:before{border-top-color:#000;border-width:.4rem .4rem 0;top:0}.bs-tooltip-auto[x-placement^=right],.bs-tooltip-right{padding:0 .4rem}.bs-tooltip-auto[x-placement^=right] .arrow,.bs-tooltip-right .arrow{height:.8rem;left:0;width:.4rem}.bs-tooltip-auto[x-placement^=right] .arrow:before,.bs-tooltip-right .arrow:before{border-right-color:#000;border-width:.4rem .4rem .4rem 0;right:0}.bs-tooltip-auto[x-placement^=bottom],.bs-tooltip-bottom{padding:.4rem 0}.bs-tooltip-auto[x-placement^=bottom] .arrow,.bs-tooltip-bottom .arrow{top:0}.bs-tooltip-auto[x-placement^=bottom] .arrow:before,.bs-tooltip-bottom .arrow:before{border-bottom-color:#000;border-width:0 .4rem .4rem;bottom:0}.bs-tooltip-auto[x-placement^=left],.bs-tooltip-left{padding:0 .4rem}.bs-tooltip-auto[x-placement^=left] .arrow,.bs-tooltip-left .arrow{height:.8rem;right:0;width:.4rem}.bs-tooltip-auto[x-placement^=left] .arrow:before,.bs-tooltip-left .arrow:before{border-left-color:#000;border-width:.4rem 0 .4rem .4rem;left:0}.tooltip-inner{background-color:#000;border-radius:.25rem;color:#fff;max-width:200px;padding:.25rem .5rem;text-align:center}.popover{word-wrap:break-word;background-clip:padding-box;background-color:#fff;border:1px solid rgba(0,0,0,.2);border-radius:.3rem;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica Neue,Arial,Noto Sans,Liberation Sans,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-size:.875rem;font-style:normal;font-weight:400;left:0;letter-spacing:normal;line-break:auto;line-height:1.5;max-width:276px;text-align:left;text-align:start;text-decoration:none;text-shadow:none;text-transform:none;top:0;white-space:normal;word-break:normal;word-spacing:normal;z-index:1060}.popover,.popover .arrow{display:block;position:absolute}.popover .arrow{height:.5rem;margin:0 .3rem;width:1rem}.popover .arrow:after,.popover .arrow:before{border-color:transparent;border-style:solid;content:\"\";display:block;position:absolute}.bs-popover-auto[x-placement^=top],.bs-popover-top{margin-bottom:.5rem}.bs-popover-auto[x-placement^=top]>.arrow,.bs-popover-top>.arrow{bottom:calc(-.5rem - 1px)}.bs-popover-auto[x-placement^=top]>.arrow:before,.bs-popover-top>.arrow:before{border-top-color:rgba(0,0,0,.25);border-width:.5rem .5rem 0;bottom:0}.bs-popover-auto[x-placement^=top]>.arrow:after,.bs-popover-top>.arrow:after{border-top-color:#fff;border-width:.5rem .5rem 0;bottom:1px}.bs-popover-auto[x-placement^=right],.bs-popover-right{margin-left:.5rem}.bs-popover-auto[x-placement^=right]>.arrow,.bs-popover-right>.arrow{height:1rem;left:calc(-.5rem - 1px);margin:.3rem 0;width:.5rem}.bs-popover-auto[x-placement^=right]>.arrow:before,.bs-popover-right>.arrow:before{border-right-color:rgba(0,0,0,.25);border-width:.5rem .5rem .5rem 0;left:0}.bs-popover-auto[x-placement^=right]>.arrow:after,.bs-popover-right>.arrow:after{border-right-color:#fff;border-width:.5rem .5rem .5rem 0;left:1px}.bs-popover-auto[x-placement^=bottom],.bs-popover-bottom{margin-top:.5rem}.bs-popover-auto[x-placement^=bottom]>.arrow,.bs-popover-bottom>.arrow{top:calc(-.5rem - 1px)}.bs-popover-auto[x-placement^=bottom]>.arrow:before,.bs-popover-bottom>.arrow:before{border-bottom-color:rgba(0,0,0,.25);border-width:0 .5rem .5rem;top:0}.bs-popover-auto[x-placement^=bottom]>.arrow:after,.bs-popover-bottom>.arrow:after{border-bottom-color:#fff;border-width:0 .5rem .5rem;top:1px}.bs-popover-auto[x-placement^=bottom] .popover-header:before,.bs-popover-bottom .popover-header:before{border-bottom:1px solid #f7f7f7;content:\"\";display:block;left:50%;margin-left:-.5rem;position:absolute;top:0;width:1rem}.bs-popover-auto[x-placement^=left],.bs-popover-left{margin-right:.5rem}.bs-popover-auto[x-placement^=left]>.arrow,.bs-popover-left>.arrow{height:1rem;margin:.3rem 0;right:calc(-.5rem - 1px);width:.5rem}.bs-popover-auto[x-placement^=left]>.arrow:before,.bs-popover-left>.arrow:before{border-left-color:rgba(0,0,0,.25);border-width:.5rem 0 .5rem .5rem;right:0}.bs-popover-auto[x-placement^=left]>.arrow:after,.bs-popover-left>.arrow:after{border-left-color:#fff;border-width:.5rem 0 .5rem .5rem;right:1px}.popover-header{background-color:#f7f7f7;border-bottom:1px solid #ebebeb;border-top-left-radius:calc(.3rem - 1px);border-top-right-radius:calc(.3rem - 1px);font-size:1rem;margin-bottom:0;padding:.5rem .75rem}.popover-header:empty{display:none}.popover-body{color:#212529;padding:.5rem .75rem}.carousel{position:relative}.carousel.pointer-event{touch-action:pan-y}.carousel-inner{overflow:hidden;position:relative;width:100%}.carousel-inner:after{clear:both;content:\"\";display:block}.carousel-item{backface-visibility:hidden;display:none;float:left;margin-right:-100%;position:relative;transition:transform .6s ease-in-out;width:100%}@media (prefers-reduced-motion:reduce){.carousel-item{transition:none}}.carousel-item-next,.carousel-item-prev,.carousel-item.active{display:block}.active.carousel-item-right,.carousel-item-next:not(.carousel-item-left){transform:translateX(100%)}.active.carousel-item-left,.carousel-item-prev:not(.carousel-item-right){transform:translateX(-100%)}.carousel-fade .carousel-item{opacity:0;transform:none;transition-property:opacity}.carousel-fade .carousel-item-next.carousel-item-left,.carousel-fade .carousel-item-prev.carousel-item-right,.carousel-fade .carousel-item.active{opacity:1;z-index:1}.carousel-fade .active.carousel-item-left,.carousel-fade .active.carousel-item-right{opacity:0;transition:opacity 0s .6s;z-index:0}@media (prefers-reduced-motion:reduce){.carousel-fade .active.carousel-item-left,.carousel-fade .active.carousel-item-right{transition:none}}.carousel-control-next,.carousel-control-prev{align-items:center;background:none;border:0;bottom:0;color:#fff;display:flex;justify-content:center;opacity:.5;padding:0;position:absolute;text-align:center;top:0;transition:opacity .15s ease;width:15%;z-index:1}@media (prefers-reduced-motion:reduce){.carousel-control-next,.carousel-control-prev{transition:none}}.carousel-control-next:focus,.carousel-control-next:hover,.carousel-control-prev:focus,.carousel-control-prev:hover{color:#fff;opacity:.9;outline:0;text-decoration:none}.carousel-control-prev{left:0}.carousel-control-next{right:0}.carousel-control-next-icon,.carousel-control-prev-icon{background:50%/100% 100% no-repeat;display:inline-block;height:20px;width:20px}.carousel-control-prev-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='%23fff' width='8' height='8'%3E%3Cpath d='m5.25 0-4 4 4 4 1.5-1.5L4.25 4l2.5-2.5L5.25 0z'/%3E%3C/svg%3E\")}.carousel-control-next-icon{background-image:url(\"data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='%23fff' width='8' height='8'%3E%3Cpath d='m2.75 0-1.5 1.5L3.75 4l-2.5 2.5L2.75 8l4-4-4-4z'/%3E%3C/svg%3E\")}.carousel-indicators{bottom:0;display:flex;justify-content:center;left:0;list-style:none;margin-left:15%;margin-right:15%;padding-left:0;position:absolute;right:0;z-index:15}.carousel-indicators li{background-clip:padding-box;background-color:#fff;border-bottom:10px solid transparent;border-top:10px solid transparent;box-sizing:content-box;cursor:pointer;flex:0 1 auto;height:3px;margin-left:3px;margin-right:3px;opacity:.5;text-indent:-999px;transition:opacity .6s ease;width:30px}@media (prefers-reduced-motion:reduce){.carousel-indicators li{transition:none}}.carousel-indicators .active{opacity:1}.carousel-caption{bottom:20px;color:#fff;left:15%;padding-bottom:20px;padding-top:20px;position:absolute;right:15%;text-align:center;z-index:10}@keyframes spinner-border{to{transform:rotate(1turn)}}.spinner-border{animation:spinner-border .75s linear infinite;border:.25em solid;border-radius:50%;border-right:.25em solid transparent;display:inline-block;height:2rem;vertical-align:-.125em;width:2rem}.spinner-border-sm{border-width:.2em;height:1rem;width:1rem}@keyframes spinner-grow{0%{transform:scale(0)}50%{opacity:1;transform:none}}.spinner-grow{animation:spinner-grow .75s linear infinite;background-color:currentcolor;border-radius:50%;display:inline-block;height:2rem;opacity:0;vertical-align:-.125em;width:2rem}.spinner-grow-sm{height:1rem;width:1rem}@media (prefers-reduced-motion:reduce){.spinner-border,.spinner-grow{animation-duration:1.5s}}.align-baseline{vertical-align:baseline!important}.align-top{vertical-align:top!important}.align-middle{vertical-align:middle!important}.align-bottom{vertical-align:bottom!important}.align-text-bottom{vertical-align:text-bottom!important}.align-text-top{vertical-align:text-top!important}.bg-primary{background-color:#007bff!important}a.bg-primary:focus,a.bg-primary:hover,button.bg-primary:focus,button.bg-primary:hover{background-color:#0062cc!important}.bg-secondary{background-color:#6c757d!important}a.bg-secondary:focus,a.bg-secondary:hover,button.bg-secondary:focus,button.bg-secondary:hover{background-color:#545b62!important}.bg-success{background-color:#28a745!important}a.bg-success:focus,a.bg-success:hover,button.bg-success:focus,button.bg-success:hover{background-color:#1e7e34!important}.bg-info{background-color:#17a2b8!important}a.bg-info:focus,a.bg-info:hover,button.bg-info:focus,button.bg-info:hover{background-color:#117a8b!important}.bg-warning{background-color:#ffc107!important}a.bg-warning:focus,a.bg-warning:hover,button.bg-warning:focus,button.bg-warning:hover{background-color:#d39e00!important}.bg-danger{background-color:#dc3545!important}a.bg-danger:focus,a.bg-danger:hover,button.bg-danger:focus,button.bg-danger:hover{background-color:#bd2130!important}.bg-light{background-color:#f8f9fa!important}a.bg-light:focus,a.bg-light:hover,button.bg-light:focus,button.bg-light:hover{background-color:#dae0e5!important}.bg-dark{background-color:#343a40!important}a.bg-dark:focus,a.bg-dark:hover,button.bg-dark:focus,button.bg-dark:hover{background-color:#1d2124!important}.bg-white{background-color:#fff!important}.bg-transparent{background-color:transparent!important}.border{border:1px solid #dee2e6!important}.border-top{border-top:1px solid #dee2e6!important}.border-right{border-right:1px solid #dee2e6!important}.border-bottom{border-bottom:1px solid #dee2e6!important}.border-left{border-left:1px solid #dee2e6!important}.border-0{border:0!important}.border-top-0{border-top:0!important}.border-right-0{border-right:0!important}.border-bottom-0{border-bottom:0!important}.border-left-0{border-left:0!important}.border-primary{border-color:#007bff!important}.border-secondary{border-color:#6c757d!important}.border-success{border-color:#28a745!important}.border-info{border-color:#17a2b8!important}.border-warning{border-color:#ffc107!important}.border-danger{border-color:#dc3545!important}.border-light{border-color:#f8f9fa!important}.border-dark{border-color:#343a40!important}.border-white{border-color:#fff!important}.rounded-sm{border-radius:.2rem!important}.rounded{border-radius:.25rem!important}.rounded-top{border-top-left-radius:.25rem!important}.rounded-right,.rounded-top{border-top-right-radius:.25rem!important}.rounded-bottom,.rounded-right{border-bottom-right-radius:.25rem!important}.rounded-bottom,.rounded-left{border-bottom-left-radius:.25rem!important}.rounded-left{border-top-left-radius:.25rem!important}.rounded-lg{border-radius:.3rem!important}.rounded-circle{border-radius:50%!important}.remote-auth-start .other-server-btn,.remote-auth-start .server-btn,.rounded-pill{border-radius:50rem!important}.rounded-0{border-radius:0!important}.clearfix:after{clear:both;content:\"\";display:block}.d-none{display:none!important}.d-inline{display:inline!important}.d-inline-block{display:inline-block!important}.d-block{display:block!important}.d-table{display:table!important}.d-table-row{display:table-row!important}.d-table-cell{display:table-cell!important}.d-flex{display:flex!important}.d-inline-flex{display:inline-flex!important}@media (min-width:576px){.d-sm-none{display:none!important}.d-sm-inline{display:inline!important}.d-sm-inline-block{display:inline-block!important}.d-sm-block{display:block!important}.d-sm-table{display:table!important}.d-sm-table-row{display:table-row!important}.d-sm-table-cell{display:table-cell!important}.d-sm-flex{display:flex!important}.d-sm-inline-flex{display:inline-flex!important}}@media (min-width:768px){.d-md-none{display:none!important}.d-md-inline{display:inline!important}.d-md-inline-block{display:inline-block!important}.d-md-block{display:block!important}.d-md-table{display:table!important}.d-md-table-row{display:table-row!important}.d-md-table-cell{display:table-cell!important}.d-md-flex{display:flex!important}.d-md-inline-flex{display:inline-flex!important}}@media (min-width:992px){.d-lg-none{display:none!important}.d-lg-inline{display:inline!important}.d-lg-inline-block{display:inline-block!important}.d-lg-block{display:block!important}.d-lg-table{display:table!important}.d-lg-table-row{display:table-row!important}.d-lg-table-cell{display:table-cell!important}.d-lg-flex{display:flex!important}.d-lg-inline-flex{display:inline-flex!important}}@media (min-width:1200px){.d-xl-none{display:none!important}.d-xl-inline{display:inline!important}.d-xl-inline-block{display:inline-block!important}.d-xl-block{display:block!important}.d-xl-table{display:table!important}.d-xl-table-row{display:table-row!important}.d-xl-table-cell{display:table-cell!important}.d-xl-flex{display:flex!important}.d-xl-inline-flex{display:inline-flex!important}}@media print{.d-print-none{display:none!important}.d-print-inline{display:inline!important}.d-print-inline-block{display:inline-block!important}.d-print-block{display:block!important}.d-print-table{display:table!important}.d-print-table-row{display:table-row!important}.d-print-table-cell{display:table-cell!important}.d-print-flex{display:flex!important}.d-print-inline-flex{display:inline-flex!important}}.embed-responsive{display:block;overflow:hidden;padding:0;position:relative;width:100%}.embed-responsive:before{content:\"\";display:block}.embed-responsive .embed-responsive-item,.embed-responsive embed,.embed-responsive iframe,.embed-responsive object,.embed-responsive video{border:0;bottom:0;height:100%;left:0;position:absolute;top:0;width:100%}.embed-responsive-21by9:before{padding-top:42.85714286%}.embed-responsive-16by9:before{padding-top:56.25%}.embed-responsive-4by3:before{padding-top:75%}.embed-responsive-1by1:before{padding-top:100%}.flex-row{flex-direction:row!important}.flex-column{flex-direction:column!important}.flex-row-reverse{flex-direction:row-reverse!important}.flex-column-reverse{flex-direction:column-reverse!important}.flex-wrap{flex-wrap:wrap!important}.flex-nowrap{flex-wrap:nowrap!important}.flex-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-fill{flex:1 1 auto!important}.flex-grow-0{flex-grow:0!important}.flex-grow-1{flex-grow:1!important}.flex-shrink-0{flex-shrink:0!important}.flex-shrink-1{flex-shrink:1!important}.justify-content-start{justify-content:flex-start!important}.justify-content-end{justify-content:flex-end!important}.justify-content-center{justify-content:center!important}.justify-content-between{justify-content:space-between!important}.justify-content-around{justify-content:space-around!important}.align-items-start{align-items:flex-start!important}.align-items-end{align-items:flex-end!important}.align-items-center{align-items:center!important}.align-items-baseline{align-items:baseline!important}.align-items-stretch{align-items:stretch!important}.align-content-start{align-content:flex-start!important}.align-content-end{align-content:flex-end!important}.align-content-center{align-content:center!important}.align-content-between{align-content:space-between!important}.align-content-around{align-content:space-around!important}.align-content-stretch{align-content:stretch!important}.align-self-auto{align-self:auto!important}.align-self-start{align-self:flex-start!important}.align-self-end{align-self:flex-end!important}.align-self-center{align-self:center!important}.align-self-baseline{align-self:baseline!important}.align-self-stretch{align-self:stretch!important}@media (min-width:576px){.flex-sm-row{flex-direction:row!important}.flex-sm-column{flex-direction:column!important}.flex-sm-row-reverse{flex-direction:row-reverse!important}.flex-sm-column-reverse{flex-direction:column-reverse!important}.flex-sm-wrap{flex-wrap:wrap!important}.flex-sm-nowrap{flex-wrap:nowrap!important}.flex-sm-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-sm-fill{flex:1 1 auto!important}.flex-sm-grow-0{flex-grow:0!important}.flex-sm-grow-1{flex-grow:1!important}.flex-sm-shrink-0{flex-shrink:0!important}.flex-sm-shrink-1{flex-shrink:1!important}.justify-content-sm-start{justify-content:flex-start!important}.justify-content-sm-end{justify-content:flex-end!important}.justify-content-sm-center{justify-content:center!important}.justify-content-sm-between{justify-content:space-between!important}.justify-content-sm-around{justify-content:space-around!important}.align-items-sm-start{align-items:flex-start!important}.align-items-sm-end{align-items:flex-end!important}.align-items-sm-center{align-items:center!important}.align-items-sm-baseline{align-items:baseline!important}.align-items-sm-stretch{align-items:stretch!important}.align-content-sm-start{align-content:flex-start!important}.align-content-sm-end{align-content:flex-end!important}.align-content-sm-center{align-content:center!important}.align-content-sm-between{align-content:space-between!important}.align-content-sm-around{align-content:space-around!important}.align-content-sm-stretch{align-content:stretch!important}.align-self-sm-auto{align-self:auto!important}.align-self-sm-start{align-self:flex-start!important}.align-self-sm-end{align-self:flex-end!important}.align-self-sm-center{align-self:center!important}.align-self-sm-baseline{align-self:baseline!important}.align-self-sm-stretch{align-self:stretch!important}}@media (min-width:768px){.flex-md-row{flex-direction:row!important}.flex-md-column{flex-direction:column!important}.flex-md-row-reverse{flex-direction:row-reverse!important}.flex-md-column-reverse{flex-direction:column-reverse!important}.flex-md-wrap{flex-wrap:wrap!important}.flex-md-nowrap{flex-wrap:nowrap!important}.flex-md-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-md-fill{flex:1 1 auto!important}.flex-md-grow-0{flex-grow:0!important}.flex-md-grow-1{flex-grow:1!important}.flex-md-shrink-0{flex-shrink:0!important}.flex-md-shrink-1{flex-shrink:1!important}.justify-content-md-start{justify-content:flex-start!important}.justify-content-md-end{justify-content:flex-end!important}.justify-content-md-center{justify-content:center!important}.justify-content-md-between{justify-content:space-between!important}.justify-content-md-around{justify-content:space-around!important}.align-items-md-start{align-items:flex-start!important}.align-items-md-end{align-items:flex-end!important}.align-items-md-center{align-items:center!important}.align-items-md-baseline{align-items:baseline!important}.align-items-md-stretch{align-items:stretch!important}.align-content-md-start{align-content:flex-start!important}.align-content-md-end{align-content:flex-end!important}.align-content-md-center{align-content:center!important}.align-content-md-between{align-content:space-between!important}.align-content-md-around{align-content:space-around!important}.align-content-md-stretch{align-content:stretch!important}.align-self-md-auto{align-self:auto!important}.align-self-md-start{align-self:flex-start!important}.align-self-md-end{align-self:flex-end!important}.align-self-md-center{align-self:center!important}.align-self-md-baseline{align-self:baseline!important}.align-self-md-stretch{align-self:stretch!important}}@media (min-width:992px){.flex-lg-row{flex-direction:row!important}.flex-lg-column{flex-direction:column!important}.flex-lg-row-reverse{flex-direction:row-reverse!important}.flex-lg-column-reverse{flex-direction:column-reverse!important}.flex-lg-wrap{flex-wrap:wrap!important}.flex-lg-nowrap{flex-wrap:nowrap!important}.flex-lg-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-lg-fill{flex:1 1 auto!important}.flex-lg-grow-0{flex-grow:0!important}.flex-lg-grow-1{flex-grow:1!important}.flex-lg-shrink-0{flex-shrink:0!important}.flex-lg-shrink-1{flex-shrink:1!important}.justify-content-lg-start{justify-content:flex-start!important}.justify-content-lg-end{justify-content:flex-end!important}.justify-content-lg-center{justify-content:center!important}.justify-content-lg-between{justify-content:space-between!important}.justify-content-lg-around{justify-content:space-around!important}.align-items-lg-start{align-items:flex-start!important}.align-items-lg-end{align-items:flex-end!important}.align-items-lg-center{align-items:center!important}.align-items-lg-baseline{align-items:baseline!important}.align-items-lg-stretch{align-items:stretch!important}.align-content-lg-start{align-content:flex-start!important}.align-content-lg-end{align-content:flex-end!important}.align-content-lg-center{align-content:center!important}.align-content-lg-between{align-content:space-between!important}.align-content-lg-around{align-content:space-around!important}.align-content-lg-stretch{align-content:stretch!important}.align-self-lg-auto{align-self:auto!important}.align-self-lg-start{align-self:flex-start!important}.align-self-lg-end{align-self:flex-end!important}.align-self-lg-center{align-self:center!important}.align-self-lg-baseline{align-self:baseline!important}.align-self-lg-stretch{align-self:stretch!important}}@media (min-width:1200px){.flex-xl-row{flex-direction:row!important}.flex-xl-column{flex-direction:column!important}.flex-xl-row-reverse{flex-direction:row-reverse!important}.flex-xl-column-reverse{flex-direction:column-reverse!important}.flex-xl-wrap{flex-wrap:wrap!important}.flex-xl-nowrap{flex-wrap:nowrap!important}.flex-xl-wrap-reverse{flex-wrap:wrap-reverse!important}.flex-xl-fill{flex:1 1 auto!important}.flex-xl-grow-0{flex-grow:0!important}.flex-xl-grow-1{flex-grow:1!important}.flex-xl-shrink-0{flex-shrink:0!important}.flex-xl-shrink-1{flex-shrink:1!important}.justify-content-xl-start{justify-content:flex-start!important}.justify-content-xl-end{justify-content:flex-end!important}.justify-content-xl-center{justify-content:center!important}.justify-content-xl-between{justify-content:space-between!important}.justify-content-xl-around{justify-content:space-around!important}.align-items-xl-start{align-items:flex-start!important}.align-items-xl-end{align-items:flex-end!important}.align-items-xl-center{align-items:center!important}.align-items-xl-baseline{align-items:baseline!important}.align-items-xl-stretch{align-items:stretch!important}.align-content-xl-start{align-content:flex-start!important}.align-content-xl-end{align-content:flex-end!important}.align-content-xl-center{align-content:center!important}.align-content-xl-between{align-content:space-between!important}.align-content-xl-around{align-content:space-around!important}.align-content-xl-stretch{align-content:stretch!important}.align-self-xl-auto{align-self:auto!important}.align-self-xl-start{align-self:flex-start!important}.align-self-xl-end{align-self:flex-end!important}.align-self-xl-center{align-self:center!important}.align-self-xl-baseline{align-self:baseline!important}.align-self-xl-stretch{align-self:stretch!important}}.float-left{float:left!important}.float-right{float:right!important}.float-none{float:none!important}@media (min-width:576px){.float-sm-left{float:left!important}.float-sm-right{float:right!important}.float-sm-none{float:none!important}}@media (min-width:768px){.float-md-left{float:left!important}.float-md-right{float:right!important}.float-md-none{float:none!important}}@media (min-width:992px){.float-lg-left{float:left!important}.float-lg-right{float:right!important}.float-lg-none{float:none!important}}@media (min-width:1200px){.float-xl-left{float:left!important}.float-xl-right{float:right!important}.float-xl-none{float:none!important}}.user-select-all{-webkit-user-select:all!important;-moz-user-select:all!important;user-select:all!important}.user-select-auto{-webkit-user-select:auto!important;-moz-user-select:auto!important;user-select:auto!important}.user-select-none{-webkit-user-select:none!important;-moz-user-select:none!important;user-select:none!important}.overflow-auto{overflow:auto!important}.overflow-hidden{overflow:hidden!important}.position-static{position:static!important}.position-relative{position:relative!important}.position-absolute{position:absolute!important}.position-fixed{position:fixed!important}.position-sticky{position:sticky!important}.fixed-top{top:0}.fixed-bottom,.fixed-top{left:0;position:fixed;right:0;z-index:1030}.fixed-bottom{bottom:0}@supports (position:sticky){.sticky-top{position:sticky;top:0;z-index:1020}}.sr-only{clip:rect(0,0,0,0);border:0;height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.sr-only-focusable:active,.sr-only-focusable:focus{clip:auto;height:auto;overflow:visible;position:static;white-space:normal;width:auto}.shadow-sm{box-shadow:0 .125rem .25rem rgba(0,0,0,.075)!important}.shadow{box-shadow:0 .5rem 1rem rgba(0,0,0,.15)!important}.shadow-lg{box-shadow:0 1rem 3rem rgba(0,0,0,.175)!important}.shadow-none{box-shadow:none!important}.w-25{width:25%!important}.w-50{width:50%!important}.w-75{width:75%!important}.w-100{width:100%!important}.w-auto{width:auto!important}.h-25{height:25%!important}.h-50{height:50%!important}.h-75{height:75%!important}.h-100{height:100%!important}.h-auto{height:auto!important}.mw-100{max-width:100%!important}.mh-100{max-height:100%!important}.min-vw-100{min-width:100vw!important}.min-vh-100{min-height:100vh!important}.vw-100{width:100vw!important}.vh-100{height:100vh!important}.m-0{margin:0!important}.mt-0,.my-0{margin-top:0!important}.mr-0,.mx-0{margin-right:0!important}.mb-0,.my-0{margin-bottom:0!important}.ml-0,.mx-0{margin-left:0!important}.m-1{margin:.25rem!important}.mt-1,.my-1{margin-top:.25rem!important}.mr-1,.mx-1{margin-right:.25rem!important}.mb-1,.my-1{margin-bottom:.25rem!important}.ml-1,.mx-1{margin-left:.25rem!important}.m-2{margin:.5rem!important}.mt-2,.my-2{margin-top:.5rem!important}.mr-2,.mx-2{margin-right:.5rem!important}.mb-2,.my-2{margin-bottom:.5rem!important}.ml-2,.mx-2{margin-left:.5rem!important}.m-3{margin:1rem!important}.mt-3,.my-3{margin-top:1rem!important}.mr-3,.mx-3{margin-right:1rem!important}.mb-3,.my-3{margin-bottom:1rem!important}.ml-3,.mx-3{margin-left:1rem!important}.m-4{margin:1.5rem!important}.mt-4,.my-4{margin-top:1.5rem!important}.mr-4,.mx-4{margin-right:1.5rem!important}.mb-4,.my-4{margin-bottom:1.5rem!important}.ml-4,.mx-4{margin-left:1.5rem!important}.m-5{margin:3rem!important}.mt-5,.my-5{margin-top:3rem!important}.mr-5,.mx-5{margin-right:3rem!important}.mb-5,.my-5{margin-bottom:3rem!important}.ml-5,.mx-5{margin-left:3rem!important}.p-0{padding:0!important}.pt-0,.py-0{padding-top:0!important}.pr-0,.px-0{padding-right:0!important}.pb-0,.py-0{padding-bottom:0!important}.pl-0,.px-0{padding-left:0!important}.p-1{padding:.25rem!important}.pt-1,.py-1{padding-top:.25rem!important}.pr-1,.px-1{padding-right:.25rem!important}.pb-1,.py-1{padding-bottom:.25rem!important}.pl-1,.px-1{padding-left:.25rem!important}.p-2{padding:.5rem!important}.pt-2,.py-2{padding-top:.5rem!important}.pr-2,.px-2{padding-right:.5rem!important}.pb-2,.py-2{padding-bottom:.5rem!important}.pl-2,.px-2{padding-left:.5rem!important}.p-3{padding:1rem!important}.pt-3,.py-3{padding-top:1rem!important}.pr-3,.px-3{padding-right:1rem!important}.pb-3,.py-3{padding-bottom:1rem!important}.pl-3,.px-3{padding-left:1rem!important}.p-4{padding:1.5rem!important}.pt-4,.py-4{padding-top:1.5rem!important}.pr-4,.px-4{padding-right:1.5rem!important}.pb-4,.py-4{padding-bottom:1.5rem!important}.pl-4,.px-4{padding-left:1.5rem!important}.p-5{padding:3rem!important}.pt-5,.py-5{padding-top:3rem!important}.pr-5,.px-5{padding-right:3rem!important}.pb-5,.py-5{padding-bottom:3rem!important}.pl-5,.px-5{padding-left:3rem!important}.m-n1{margin:-.25rem!important}.mt-n1,.my-n1{margin-top:-.25rem!important}.mr-n1,.mx-n1{margin-right:-.25rem!important}.mb-n1,.my-n1{margin-bottom:-.25rem!important}.ml-n1,.mx-n1{margin-left:-.25rem!important}.m-n2{margin:-.5rem!important}.mt-n2,.my-n2{margin-top:-.5rem!important}.mr-n2,.mx-n2{margin-right:-.5rem!important}.mb-n2,.my-n2{margin-bottom:-.5rem!important}.ml-n2,.mx-n2{margin-left:-.5rem!important}.m-n3{margin:-1rem!important}.mt-n3,.my-n3{margin-top:-1rem!important}.mr-n3,.mx-n3{margin-right:-1rem!important}.mb-n3,.my-n3{margin-bottom:-1rem!important}.ml-n3,.mx-n3{margin-left:-1rem!important}.m-n4{margin:-1.5rem!important}.mt-n4,.my-n4{margin-top:-1.5rem!important}.mr-n4,.mx-n4{margin-right:-1.5rem!important}.mb-n4,.my-n4{margin-bottom:-1.5rem!important}.ml-n4,.mx-n4{margin-left:-1.5rem!important}.m-n5{margin:-3rem!important}.mt-n5,.my-n5{margin-top:-3rem!important}.mr-n5,.mx-n5{margin-right:-3rem!important}.mb-n5,.my-n5{margin-bottom:-3rem!important}.ml-n5,.mx-n5{margin-left:-3rem!important}.m-auto{margin:auto!important}.mt-auto,.my-auto{margin-top:auto!important}.mr-auto,.mx-auto{margin-right:auto!important}.mb-auto,.my-auto{margin-bottom:auto!important}.ml-auto,.mx-auto{margin-left:auto!important}@media (min-width:576px){.m-sm-0{margin:0!important}.mt-sm-0,.my-sm-0{margin-top:0!important}.mr-sm-0,.mx-sm-0{margin-right:0!important}.mb-sm-0,.my-sm-0{margin-bottom:0!important}.ml-sm-0,.mx-sm-0{margin-left:0!important}.m-sm-1{margin:.25rem!important}.mt-sm-1,.my-sm-1{margin-top:.25rem!important}.mr-sm-1,.mx-sm-1{margin-right:.25rem!important}.mb-sm-1,.my-sm-1{margin-bottom:.25rem!important}.ml-sm-1,.mx-sm-1{margin-left:.25rem!important}.m-sm-2{margin:.5rem!important}.mt-sm-2,.my-sm-2{margin-top:.5rem!important}.mr-sm-2,.mx-sm-2{margin-right:.5rem!important}.mb-sm-2,.my-sm-2{margin-bottom:.5rem!important}.ml-sm-2,.mx-sm-2{margin-left:.5rem!important}.m-sm-3{margin:1rem!important}.mt-sm-3,.my-sm-3{margin-top:1rem!important}.mr-sm-3,.mx-sm-3{margin-right:1rem!important}.mb-sm-3,.my-sm-3{margin-bottom:1rem!important}.ml-sm-3,.mx-sm-3{margin-left:1rem!important}.m-sm-4{margin:1.5rem!important}.mt-sm-4,.my-sm-4{margin-top:1.5rem!important}.mr-sm-4,.mx-sm-4{margin-right:1.5rem!important}.mb-sm-4,.my-sm-4{margin-bottom:1.5rem!important}.ml-sm-4,.mx-sm-4{margin-left:1.5rem!important}.m-sm-5{margin:3rem!important}.mt-sm-5,.my-sm-5{margin-top:3rem!important}.mr-sm-5,.mx-sm-5{margin-right:3rem!important}.mb-sm-5,.my-sm-5{margin-bottom:3rem!important}.ml-sm-5,.mx-sm-5{margin-left:3rem!important}.p-sm-0{padding:0!important}.pt-sm-0,.py-sm-0{padding-top:0!important}.pr-sm-0,.px-sm-0{padding-right:0!important}.pb-sm-0,.py-sm-0{padding-bottom:0!important}.pl-sm-0,.px-sm-0{padding-left:0!important}.p-sm-1{padding:.25rem!important}.pt-sm-1,.py-sm-1{padding-top:.25rem!important}.pr-sm-1,.px-sm-1{padding-right:.25rem!important}.pb-sm-1,.py-sm-1{padding-bottom:.25rem!important}.pl-sm-1,.px-sm-1{padding-left:.25rem!important}.p-sm-2{padding:.5rem!important}.pt-sm-2,.py-sm-2{padding-top:.5rem!important}.pr-sm-2,.px-sm-2{padding-right:.5rem!important}.pb-sm-2,.py-sm-2{padding-bottom:.5rem!important}.pl-sm-2,.px-sm-2{padding-left:.5rem!important}.p-sm-3{padding:1rem!important}.pt-sm-3,.py-sm-3{padding-top:1rem!important}.pr-sm-3,.px-sm-3{padding-right:1rem!important}.pb-sm-3,.py-sm-3{padding-bottom:1rem!important}.pl-sm-3,.px-sm-3{padding-left:1rem!important}.p-sm-4{padding:1.5rem!important}.pt-sm-4,.py-sm-4{padding-top:1.5rem!important}.pr-sm-4,.px-sm-4{padding-right:1.5rem!important}.pb-sm-4,.py-sm-4{padding-bottom:1.5rem!important}.pl-sm-4,.px-sm-4{padding-left:1.5rem!important}.p-sm-5{padding:3rem!important}.pt-sm-5,.py-sm-5{padding-top:3rem!important}.pr-sm-5,.px-sm-5{padding-right:3rem!important}.pb-sm-5,.py-sm-5{padding-bottom:3rem!important}.pl-sm-5,.px-sm-5{padding-left:3rem!important}.m-sm-n1{margin:-.25rem!important}.mt-sm-n1,.my-sm-n1{margin-top:-.25rem!important}.mr-sm-n1,.mx-sm-n1{margin-right:-.25rem!important}.mb-sm-n1,.my-sm-n1{margin-bottom:-.25rem!important}.ml-sm-n1,.mx-sm-n1{margin-left:-.25rem!important}.m-sm-n2{margin:-.5rem!important}.mt-sm-n2,.my-sm-n2{margin-top:-.5rem!important}.mr-sm-n2,.mx-sm-n2{margin-right:-.5rem!important}.mb-sm-n2,.my-sm-n2{margin-bottom:-.5rem!important}.ml-sm-n2,.mx-sm-n2{margin-left:-.5rem!important}.m-sm-n3{margin:-1rem!important}.mt-sm-n3,.my-sm-n3{margin-top:-1rem!important}.mr-sm-n3,.mx-sm-n3{margin-right:-1rem!important}.mb-sm-n3,.my-sm-n3{margin-bottom:-1rem!important}.ml-sm-n3,.mx-sm-n3{margin-left:-1rem!important}.m-sm-n4{margin:-1.5rem!important}.mt-sm-n4,.my-sm-n4{margin-top:-1.5rem!important}.mr-sm-n4,.mx-sm-n4{margin-right:-1.5rem!important}.mb-sm-n4,.my-sm-n4{margin-bottom:-1.5rem!important}.ml-sm-n4,.mx-sm-n4{margin-left:-1.5rem!important}.m-sm-n5{margin:-3rem!important}.mt-sm-n5,.my-sm-n5{margin-top:-3rem!important}.mr-sm-n5,.mx-sm-n5{margin-right:-3rem!important}.mb-sm-n5,.my-sm-n5{margin-bottom:-3rem!important}.ml-sm-n5,.mx-sm-n5{margin-left:-3rem!important}.m-sm-auto{margin:auto!important}.mt-sm-auto,.my-sm-auto{margin-top:auto!important}.mr-sm-auto,.mx-sm-auto{margin-right:auto!important}.mb-sm-auto,.my-sm-auto{margin-bottom:auto!important}.ml-sm-auto,.mx-sm-auto{margin-left:auto!important}}@media (min-width:768px){.m-md-0{margin:0!important}.mt-md-0,.my-md-0{margin-top:0!important}.mr-md-0,.mx-md-0{margin-right:0!important}.mb-md-0,.my-md-0{margin-bottom:0!important}.ml-md-0,.mx-md-0{margin-left:0!important}.m-md-1{margin:.25rem!important}.mt-md-1,.my-md-1{margin-top:.25rem!important}.mr-md-1,.mx-md-1{margin-right:.25rem!important}.mb-md-1,.my-md-1{margin-bottom:.25rem!important}.ml-md-1,.mx-md-1{margin-left:.25rem!important}.m-md-2{margin:.5rem!important}.mt-md-2,.my-md-2{margin-top:.5rem!important}.mr-md-2,.mx-md-2{margin-right:.5rem!important}.mb-md-2,.my-md-2{margin-bottom:.5rem!important}.ml-md-2,.mx-md-2{margin-left:.5rem!important}.m-md-3{margin:1rem!important}.mt-md-3,.my-md-3{margin-top:1rem!important}.mr-md-3,.mx-md-3{margin-right:1rem!important}.mb-md-3,.my-md-3{margin-bottom:1rem!important}.ml-md-3,.mx-md-3{margin-left:1rem!important}.m-md-4{margin:1.5rem!important}.mt-md-4,.my-md-4{margin-top:1.5rem!important}.mr-md-4,.mx-md-4{margin-right:1.5rem!important}.mb-md-4,.my-md-4{margin-bottom:1.5rem!important}.ml-md-4,.mx-md-4{margin-left:1.5rem!important}.m-md-5{margin:3rem!important}.mt-md-5,.my-md-5{margin-top:3rem!important}.mr-md-5,.mx-md-5{margin-right:3rem!important}.mb-md-5,.my-md-5{margin-bottom:3rem!important}.ml-md-5,.mx-md-5{margin-left:3rem!important}.p-md-0{padding:0!important}.pt-md-0,.py-md-0{padding-top:0!important}.pr-md-0,.px-md-0{padding-right:0!important}.pb-md-0,.py-md-0{padding-bottom:0!important}.pl-md-0,.px-md-0{padding-left:0!important}.p-md-1{padding:.25rem!important}.pt-md-1,.py-md-1{padding-top:.25rem!important}.pr-md-1,.px-md-1{padding-right:.25rem!important}.pb-md-1,.py-md-1{padding-bottom:.25rem!important}.pl-md-1,.px-md-1{padding-left:.25rem!important}.p-md-2{padding:.5rem!important}.pt-md-2,.py-md-2{padding-top:.5rem!important}.pr-md-2,.px-md-2{padding-right:.5rem!important}.pb-md-2,.py-md-2{padding-bottom:.5rem!important}.pl-md-2,.px-md-2{padding-left:.5rem!important}.p-md-3{padding:1rem!important}.pt-md-3,.py-md-3{padding-top:1rem!important}.pr-md-3,.px-md-3{padding-right:1rem!important}.pb-md-3,.py-md-3{padding-bottom:1rem!important}.pl-md-3,.px-md-3{padding-left:1rem!important}.p-md-4{padding:1.5rem!important}.pt-md-4,.py-md-4{padding-top:1.5rem!important}.pr-md-4,.px-md-4{padding-right:1.5rem!important}.pb-md-4,.py-md-4{padding-bottom:1.5rem!important}.pl-md-4,.px-md-4{padding-left:1.5rem!important}.p-md-5{padding:3rem!important}.pt-md-5,.py-md-5{padding-top:3rem!important}.pr-md-5,.px-md-5{padding-right:3rem!important}.pb-md-5,.py-md-5{padding-bottom:3rem!important}.pl-md-5,.px-md-5{padding-left:3rem!important}.m-md-n1{margin:-.25rem!important}.mt-md-n1,.my-md-n1{margin-top:-.25rem!important}.mr-md-n1,.mx-md-n1{margin-right:-.25rem!important}.mb-md-n1,.my-md-n1{margin-bottom:-.25rem!important}.ml-md-n1,.mx-md-n1{margin-left:-.25rem!important}.m-md-n2{margin:-.5rem!important}.mt-md-n2,.my-md-n2{margin-top:-.5rem!important}.mr-md-n2,.mx-md-n2{margin-right:-.5rem!important}.mb-md-n2,.my-md-n2{margin-bottom:-.5rem!important}.ml-md-n2,.mx-md-n2{margin-left:-.5rem!important}.m-md-n3{margin:-1rem!important}.mt-md-n3,.my-md-n3{margin-top:-1rem!important}.mr-md-n3,.mx-md-n3{margin-right:-1rem!important}.mb-md-n3,.my-md-n3{margin-bottom:-1rem!important}.ml-md-n3,.mx-md-n3{margin-left:-1rem!important}.m-md-n4{margin:-1.5rem!important}.mt-md-n4,.my-md-n4{margin-top:-1.5rem!important}.mr-md-n4,.mx-md-n4{margin-right:-1.5rem!important}.mb-md-n4,.my-md-n4{margin-bottom:-1.5rem!important}.ml-md-n4,.mx-md-n4{margin-left:-1.5rem!important}.m-md-n5{margin:-3rem!important}.mt-md-n5,.my-md-n5{margin-top:-3rem!important}.mr-md-n5,.mx-md-n5{margin-right:-3rem!important}.mb-md-n5,.my-md-n5{margin-bottom:-3rem!important}.ml-md-n5,.mx-md-n5{margin-left:-3rem!important}.m-md-auto{margin:auto!important}.mt-md-auto,.my-md-auto{margin-top:auto!important}.mr-md-auto,.mx-md-auto{margin-right:auto!important}.mb-md-auto,.my-md-auto{margin-bottom:auto!important}.ml-md-auto,.mx-md-auto{margin-left:auto!important}}@media (min-width:992px){.m-lg-0{margin:0!important}.mt-lg-0,.my-lg-0{margin-top:0!important}.mr-lg-0,.mx-lg-0{margin-right:0!important}.mb-lg-0,.my-lg-0{margin-bottom:0!important}.ml-lg-0,.mx-lg-0{margin-left:0!important}.m-lg-1{margin:.25rem!important}.mt-lg-1,.my-lg-1{margin-top:.25rem!important}.mr-lg-1,.mx-lg-1{margin-right:.25rem!important}.mb-lg-1,.my-lg-1{margin-bottom:.25rem!important}.ml-lg-1,.mx-lg-1{margin-left:.25rem!important}.m-lg-2{margin:.5rem!important}.mt-lg-2,.my-lg-2{margin-top:.5rem!important}.mr-lg-2,.mx-lg-2{margin-right:.5rem!important}.mb-lg-2,.my-lg-2{margin-bottom:.5rem!important}.ml-lg-2,.mx-lg-2{margin-left:.5rem!important}.m-lg-3{margin:1rem!important}.mt-lg-3,.my-lg-3{margin-top:1rem!important}.mr-lg-3,.mx-lg-3{margin-right:1rem!important}.mb-lg-3,.my-lg-3{margin-bottom:1rem!important}.ml-lg-3,.mx-lg-3{margin-left:1rem!important}.m-lg-4{margin:1.5rem!important}.mt-lg-4,.my-lg-4{margin-top:1.5rem!important}.mr-lg-4,.mx-lg-4{margin-right:1.5rem!important}.mb-lg-4,.my-lg-4{margin-bottom:1.5rem!important}.ml-lg-4,.mx-lg-4{margin-left:1.5rem!important}.m-lg-5{margin:3rem!important}.mt-lg-5,.my-lg-5{margin-top:3rem!important}.mr-lg-5,.mx-lg-5{margin-right:3rem!important}.mb-lg-5,.my-lg-5{margin-bottom:3rem!important}.ml-lg-5,.mx-lg-5{margin-left:3rem!important}.p-lg-0{padding:0!important}.pt-lg-0,.py-lg-0{padding-top:0!important}.pr-lg-0,.px-lg-0{padding-right:0!important}.pb-lg-0,.py-lg-0{padding-bottom:0!important}.pl-lg-0,.px-lg-0{padding-left:0!important}.p-lg-1{padding:.25rem!important}.pt-lg-1,.py-lg-1{padding-top:.25rem!important}.pr-lg-1,.px-lg-1{padding-right:.25rem!important}.pb-lg-1,.py-lg-1{padding-bottom:.25rem!important}.pl-lg-1,.px-lg-1{padding-left:.25rem!important}.p-lg-2{padding:.5rem!important}.pt-lg-2,.py-lg-2{padding-top:.5rem!important}.pr-lg-2,.px-lg-2{padding-right:.5rem!important}.pb-lg-2,.py-lg-2{padding-bottom:.5rem!important}.pl-lg-2,.px-lg-2{padding-left:.5rem!important}.p-lg-3{padding:1rem!important}.pt-lg-3,.py-lg-3{padding-top:1rem!important}.pr-lg-3,.px-lg-3{padding-right:1rem!important}.pb-lg-3,.py-lg-3{padding-bottom:1rem!important}.pl-lg-3,.px-lg-3{padding-left:1rem!important}.p-lg-4{padding:1.5rem!important}.pt-lg-4,.py-lg-4{padding-top:1.5rem!important}.pr-lg-4,.px-lg-4{padding-right:1.5rem!important}.pb-lg-4,.py-lg-4{padding-bottom:1.5rem!important}.pl-lg-4,.px-lg-4{padding-left:1.5rem!important}.p-lg-5{padding:3rem!important}.pt-lg-5,.py-lg-5{padding-top:3rem!important}.pr-lg-5,.px-lg-5{padding-right:3rem!important}.pb-lg-5,.py-lg-5{padding-bottom:3rem!important}.pl-lg-5,.px-lg-5{padding-left:3rem!important}.m-lg-n1{margin:-.25rem!important}.mt-lg-n1,.my-lg-n1{margin-top:-.25rem!important}.mr-lg-n1,.mx-lg-n1{margin-right:-.25rem!important}.mb-lg-n1,.my-lg-n1{margin-bottom:-.25rem!important}.ml-lg-n1,.mx-lg-n1{margin-left:-.25rem!important}.m-lg-n2{margin:-.5rem!important}.mt-lg-n2,.my-lg-n2{margin-top:-.5rem!important}.mr-lg-n2,.mx-lg-n2{margin-right:-.5rem!important}.mb-lg-n2,.my-lg-n2{margin-bottom:-.5rem!important}.ml-lg-n2,.mx-lg-n2{margin-left:-.5rem!important}.m-lg-n3{margin:-1rem!important}.mt-lg-n3,.my-lg-n3{margin-top:-1rem!important}.mr-lg-n3,.mx-lg-n3{margin-right:-1rem!important}.mb-lg-n3,.my-lg-n3{margin-bottom:-1rem!important}.ml-lg-n3,.mx-lg-n3{margin-left:-1rem!important}.m-lg-n4{margin:-1.5rem!important}.mt-lg-n4,.my-lg-n4{margin-top:-1.5rem!important}.mr-lg-n4,.mx-lg-n4{margin-right:-1.5rem!important}.mb-lg-n4,.my-lg-n4{margin-bottom:-1.5rem!important}.ml-lg-n4,.mx-lg-n4{margin-left:-1.5rem!important}.m-lg-n5{margin:-3rem!important}.mt-lg-n5,.my-lg-n5{margin-top:-3rem!important}.mr-lg-n5,.mx-lg-n5{margin-right:-3rem!important}.mb-lg-n5,.my-lg-n5{margin-bottom:-3rem!important}.ml-lg-n5,.mx-lg-n5{margin-left:-3rem!important}.m-lg-auto{margin:auto!important}.mt-lg-auto,.my-lg-auto{margin-top:auto!important}.mr-lg-auto,.mx-lg-auto{margin-right:auto!important}.mb-lg-auto,.my-lg-auto{margin-bottom:auto!important}.ml-lg-auto,.mx-lg-auto{margin-left:auto!important}}@media (min-width:1200px){.m-xl-0{margin:0!important}.mt-xl-0,.my-xl-0{margin-top:0!important}.mr-xl-0,.mx-xl-0{margin-right:0!important}.mb-xl-0,.my-xl-0{margin-bottom:0!important}.ml-xl-0,.mx-xl-0{margin-left:0!important}.m-xl-1{margin:.25rem!important}.mt-xl-1,.my-xl-1{margin-top:.25rem!important}.mr-xl-1,.mx-xl-1{margin-right:.25rem!important}.mb-xl-1,.my-xl-1{margin-bottom:.25rem!important}.ml-xl-1,.mx-xl-1{margin-left:.25rem!important}.m-xl-2{margin:.5rem!important}.mt-xl-2,.my-xl-2{margin-top:.5rem!important}.mr-xl-2,.mx-xl-2{margin-right:.5rem!important}.mb-xl-2,.my-xl-2{margin-bottom:.5rem!important}.ml-xl-2,.mx-xl-2{margin-left:.5rem!important}.m-xl-3{margin:1rem!important}.mt-xl-3,.my-xl-3{margin-top:1rem!important}.mr-xl-3,.mx-xl-3{margin-right:1rem!important}.mb-xl-3,.my-xl-3{margin-bottom:1rem!important}.ml-xl-3,.mx-xl-3{margin-left:1rem!important}.m-xl-4{margin:1.5rem!important}.mt-xl-4,.my-xl-4{margin-top:1.5rem!important}.mr-xl-4,.mx-xl-4{margin-right:1.5rem!important}.mb-xl-4,.my-xl-4{margin-bottom:1.5rem!important}.ml-xl-4,.mx-xl-4{margin-left:1.5rem!important}.m-xl-5{margin:3rem!important}.mt-xl-5,.my-xl-5{margin-top:3rem!important}.mr-xl-5,.mx-xl-5{margin-right:3rem!important}.mb-xl-5,.my-xl-5{margin-bottom:3rem!important}.ml-xl-5,.mx-xl-5{margin-left:3rem!important}.p-xl-0{padding:0!important}.pt-xl-0,.py-xl-0{padding-top:0!important}.pr-xl-0,.px-xl-0{padding-right:0!important}.pb-xl-0,.py-xl-0{padding-bottom:0!important}.pl-xl-0,.px-xl-0{padding-left:0!important}.p-xl-1{padding:.25rem!important}.pt-xl-1,.py-xl-1{padding-top:.25rem!important}.pr-xl-1,.px-xl-1{padding-right:.25rem!important}.pb-xl-1,.py-xl-1{padding-bottom:.25rem!important}.pl-xl-1,.px-xl-1{padding-left:.25rem!important}.p-xl-2{padding:.5rem!important}.pt-xl-2,.py-xl-2{padding-top:.5rem!important}.pr-xl-2,.px-xl-2{padding-right:.5rem!important}.pb-xl-2,.py-xl-2{padding-bottom:.5rem!important}.pl-xl-2,.px-xl-2{padding-left:.5rem!important}.p-xl-3{padding:1rem!important}.pt-xl-3,.py-xl-3{padding-top:1rem!important}.pr-xl-3,.px-xl-3{padding-right:1rem!important}.pb-xl-3,.py-xl-3{padding-bottom:1rem!important}.pl-xl-3,.px-xl-3{padding-left:1rem!important}.p-xl-4{padding:1.5rem!important}.pt-xl-4,.py-xl-4{padding-top:1.5rem!important}.pr-xl-4,.px-xl-4{padding-right:1.5rem!important}.pb-xl-4,.py-xl-4{padding-bottom:1.5rem!important}.pl-xl-4,.px-xl-4{padding-left:1.5rem!important}.p-xl-5{padding:3rem!important}.pt-xl-5,.py-xl-5{padding-top:3rem!important}.pr-xl-5,.px-xl-5{padding-right:3rem!important}.pb-xl-5,.py-xl-5{padding-bottom:3rem!important}.pl-xl-5,.px-xl-5{padding-left:3rem!important}.m-xl-n1{margin:-.25rem!important}.mt-xl-n1,.my-xl-n1{margin-top:-.25rem!important}.mr-xl-n1,.mx-xl-n1{margin-right:-.25rem!important}.mb-xl-n1,.my-xl-n1{margin-bottom:-.25rem!important}.ml-xl-n1,.mx-xl-n1{margin-left:-.25rem!important}.m-xl-n2{margin:-.5rem!important}.mt-xl-n2,.my-xl-n2{margin-top:-.5rem!important}.mr-xl-n2,.mx-xl-n2{margin-right:-.5rem!important}.mb-xl-n2,.my-xl-n2{margin-bottom:-.5rem!important}.ml-xl-n2,.mx-xl-n2{margin-left:-.5rem!important}.m-xl-n3{margin:-1rem!important}.mt-xl-n3,.my-xl-n3{margin-top:-1rem!important}.mr-xl-n3,.mx-xl-n3{margin-right:-1rem!important}.mb-xl-n3,.my-xl-n3{margin-bottom:-1rem!important}.ml-xl-n3,.mx-xl-n3{margin-left:-1rem!important}.m-xl-n4{margin:-1.5rem!important}.mt-xl-n4,.my-xl-n4{margin-top:-1.5rem!important}.mr-xl-n4,.mx-xl-n4{margin-right:-1.5rem!important}.mb-xl-n4,.my-xl-n4{margin-bottom:-1.5rem!important}.ml-xl-n4,.mx-xl-n4{margin-left:-1.5rem!important}.m-xl-n5{margin:-3rem!important}.mt-xl-n5,.my-xl-n5{margin-top:-3rem!important}.mr-xl-n5,.mx-xl-n5{margin-right:-3rem!important}.mb-xl-n5,.my-xl-n5{margin-bottom:-3rem!important}.ml-xl-n5,.mx-xl-n5{margin-left:-3rem!important}.m-xl-auto{margin:auto!important}.mt-xl-auto,.my-xl-auto{margin-top:auto!important}.mr-xl-auto,.mx-xl-auto{margin-right:auto!important}.mb-xl-auto,.my-xl-auto{margin-bottom:auto!important}.ml-xl-auto,.mx-xl-auto{margin-left:auto!important}}.stretched-link:after{background-color:transparent;bottom:0;content:\"\";left:0;pointer-events:auto;position:absolute;right:0;top:0;z-index:1}.text-monospace{font-family:SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace!important}.text-justify{text-align:justify!important}.text-wrap{white-space:normal!important}.text-nowrap{white-space:nowrap!important}.text-truncate{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.text-left{text-align:left!important}.text-right{text-align:right!important}.text-center{text-align:center!important}@media (min-width:576px){.text-sm-left{text-align:left!important}.text-sm-right{text-align:right!important}.text-sm-center{text-align:center!important}}@media (min-width:768px){.text-md-left{text-align:left!important}.text-md-right{text-align:right!important}.text-md-center{text-align:center!important}}@media (min-width:992px){.text-lg-left{text-align:left!important}.text-lg-right{text-align:right!important}.text-lg-center{text-align:center!important}}@media (min-width:1200px){.text-xl-left{text-align:left!important}.text-xl-right{text-align:right!important}.text-xl-center{text-align:center!important}}.text-lowercase{text-transform:lowercase!important}.text-uppercase{text-transform:uppercase!important}.text-capitalize{text-transform:capitalize!important}.font-weight-light,.remote-auth-start .other-server-btn,.remote-auth-start .server-btn{font-weight:300!important}.font-weight-lighter{font-weight:lighter!important}.font-weight-normal{font-weight:400!important}.font-weight-bold{font-weight:700!important}.font-weight-bolder{font-weight:bolder!important}.font-italic{font-style:italic!important}.text-white{color:#fff!important}.text-primary{color:#007bff!important}a.text-primary:focus,a.text-primary:hover{color:#0056b3!important}.text-secondary{color:#6c757d!important}a.text-secondary:focus,a.text-secondary:hover{color:#494f54!important}.text-success{color:#28a745!important}a.text-success:focus,a.text-success:hover{color:#19692c!important}.text-info{color:#17a2b8!important}a.text-info:focus,a.text-info:hover{color:#0f6674!important}.text-warning{color:#ffc107!important}a.text-warning:focus,a.text-warning:hover{color:#ba8b00!important}.text-danger{color:#dc3545!important}a.text-danger:focus,a.text-danger:hover{color:#a71d2a!important}.text-light{color:#f8f9fa!important}a.text-light:focus,a.text-light:hover{color:#cbd3da!important}.text-dark{color:#343a40!important}a.text-dark:focus,a.text-dark:hover{color:#121416!important}.text-body{color:#212529!important}.text-muted{color:#6c757d!important}.text-black-50{color:rgba(0,0,0,.5)!important}.text-white-50{color:hsla(0,0%,100%,.5)!important}.text-hide{background-color:transparent;border:0;color:transparent;font:0/0 a;text-shadow:none}.text-decoration-none{text-decoration:none!important}.text-break{word-wrap:break-word!important;word-break:break-word!important}.text-reset{color:inherit!important}.visible{visibility:visible!important}.invisible{visibility:hidden!important}@media print{*,:after,:before{box-shadow:none!important;text-shadow:none!important}a:not(.btn){text-decoration:underline}abbr[title]:after{content:\" (\" attr(title) \")\"}pre{white-space:pre-wrap!important}blockquote,pre{border:1px solid #adb5bd}blockquote,img,pre,tr{page-break-inside:avoid}h2,h3,p{orphans:3;widows:3}h2,h3{page-break-after:avoid}@page{size:a3}.container,body{min-width:992px!important}.navbar{display:none}.badge{border:1px solid #000}.table{border-collapse:collapse!important}.table td,.table th{background-color:#fff!important}.table-bordered td,.table-bordered th{border:1px solid #dee2e6!important}.table-dark{color:inherit}.table-dark tbody+tbody,.table-dark td,.table-dark th,.table-dark thead th{border-color:#dee2e6}.table .thead-dark th{border-color:#dee2e6;color:inherit}}.remote-auth-start .server-btn{background:linear-gradient(#6364ff,#563acc)}",""]);const n=a},37675:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(1519),a=o.n(e)()((function(t){return t[1]}));a.push([t.id,'.wrapper-mh{display:flex;flex-direction:column;justify-content:center;min-height:429px}.limit-h{height:300px;overflow-x:hidden;overflow-y:auto}.has-float-label{display:block;position:relative}.has-float-label label,.has-float-label>span{background:#fff;cursor:text;font-size:75%;font-weight:700;left:0;left:.75rem;line-height:1;opacity:1;padding:0 4px;position:absolute;top:0;top:-.5em;transition:all .2s;z-index:3}.has-float-label label:after,.has-float-label>span:after{background:#fff;content:" ";display:block;height:2px;left:-.2em;position:absolute;right:-.2em;top:50%;z-index:-1}.has-float-label .form-control::-moz-placeholder{opacity:1;-moz-transition:all .2s;transition:all .2s}.has-float-label .form-control::placeholder{opacity:1;transition:all .2s}.has-float-label .form-control:-moz-placeholder-shown:not(:focus)::-moz-placeholder{opacity:0}.has-float-label .form-control:placeholder-shown:not(:focus)::-moz-placeholder{opacity:0}.has-float-label .form-control:-moz-placeholder-shown:not(:focus)::placeholder{opacity:0}.has-float-label .form-control:placeholder-shown:not(:focus)::placeholder{opacity:0}.has-float-label .form-control:-moz-placeholder-shown:not(:focus)+*{font-size:150%;opacity:.5;top:.3em}.has-float-label .form-control:placeholder-shown:not(:focus)+*{font-size:150%;opacity:.5;top:.3em}.input-group .has-float-label{display:flex;flex-direction:column;flex-grow:1;justify-content:center;margin-bottom:0}.input-group .has-float-label .form-control{border-radius:.25rem;width:100%}.input-group .has-float-label:not(:last-child),.input-group .has-float-label:not(:last-child) .form-control{border-bottom-right-radius:0;border-right:0;border-top-right-radius:0}.input-group .has-float-label:not(:first-child),.input-group .has-float-label:not(:first-child) .form-control{border-bottom-left-radius:0;border-top-left-radius:0}.opacity-0{opacity:0;transition:opacity .5s}.sl .progress{background-color:#fff}.sl #circle,.sl #tick{stroke:#63bc01;stroke-width:6;transition:all 1s}.sl #circle{transform-origin:50px 50px 0}.sl .progress #tick{opacity:0}.sl .ready #tick{stroke-dasharray:1000;stroke-dashoffset:1000;animation:draw 8s ease-out forwards}.sl .progress #circle{stroke:#4c4c4c;stroke-dasharray:314;stroke-dashoffset:1000;animation:spin 3s linear infinite}.sl .ready #circle{stroke-dashoffset:66;stroke:#63bc01}.sl #circle{stroke-dasharray:500}@keyframes spin{0%{stroke-dashoffset:66;transform:rotate(0deg)}50%{stroke-dashoffset:314;transform:rotate(540deg)}to{stroke-dashoffset:66;transform:rotate(3turn)}}@keyframes draw{to{stroke-dashoffset:0}}.sl #scheck{height:300px;width:300px}',""]);const n=a},25514:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>l});var e=o(93379),a=o.n(e),n=o(61433),i={insert:"head",singleton:!1};a()(n.default,i);const l=n.default.locals||{}},34152:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>l});var e=o(93379),a=o.n(e),n=o(46392),i={insert:"head",singleton:!1};a()(n.default,i);const l=n.default.locals||{}},67537:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>l});var e=o(93379),a=o.n(e),n=o(37675),i={insert:"head",singleton:!1};a()(n.default,i);const l=n.default.locals||{}},45733:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>i});var e=o(34174),a=o(47731),n={};for(const t in a)"default"!==t&&(n[t]=()=>a[t]);o.d(r,n);o(80780);const i=(0,o(51900).default)(a.default,e.render,e.staticRenderFns,!1,null,null,null).exports},34534:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>i});var e=o(89718),a=o(73017),n={};for(const t in a)"default"!==t&&(n[t]=()=>a[t]);o.d(r,n);o(90514);const i=(0,o(51900).default)(a.default,e.render,e.staticRenderFns,!1,null,null,null).exports},35953:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>i});var e=o(64462),a=o(47835),n={};for(const t in a)"default"!==t&&(n[t]=()=>a[t]);o.d(r,n);o(91802);const i=(0,o(51900).default)(a.default,e.render,e.staticRenderFns,!1,null,null,null).exports},47731:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(33527),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a);const n=e.default},73017:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(62779),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a);const n=e.default},47835:(t,r,o)=>{"use strict";o.r(r),o.d(r,{default:()=>n});var e=o(71456),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a);const n=e.default},34174:(t,r,o)=>{"use strict";o.r(r);var e=o(38473),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)},89718:(t,r,o)=>{"use strict";o.r(r);var e=o(75381),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)},64462:(t,r,o)=>{"use strict";o.r(r);var e=o(68867),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)},80780:(t,r,o)=>{"use strict";o.r(r);var e=o(25514),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)},90514:(t,r,o)=>{"use strict";o.r(r);var e=o(34152),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)},91802:(t,r,o)=>{"use strict";o.r(r);var e=o(67537),a={};for(const t in e)"default"!==t&&(a[t]=()=>e[t]);o.d(r,a)}},t=>{t.O(0,[8898],(()=>{return r=65912,t(t.s=r);var r}));t.O()}]); \ No newline at end of file diff --git a/public/js/vendor.js b/public/js/vendor.js index e95bc6e95..c4633d457 100644 --- a/public/js/vendor.js +++ b/public/js/vendor.js @@ -1,2 +1,2 @@ /*! For license information please see vendor.js.LICENSE.txt */ -(self.webpackChunkpixelfed=self.webpackChunkpixelfed||[]).push([[8898],{4155:(e,t,n)=>{var a=n(19755);!function(e,t,n,a){"use strict";if(e.console=e.console||{info:function(e){}},n)if(n.fn.fancybox)console.info("fancyBox already initialized");else{var r,o,i,s,l={closeExisting:!1,loop:!1,gutter:50,keyboard:!0,preventCaptionOverlap:!0,arrows:!0,infobar:!0,smallBtn:"auto",toolbar:"auto",buttons:["zoom","slideShow","thumbs","close"],idleTime:3,protect:!1,modal:!1,image:{preload:!1},ajax:{settings:{data:{fancybox:!0}}},iframe:{tpl:'',preload:!0,css:{},attr:{scrolling:"auto"}},video:{tpl:'',format:"",autoStart:!0},defaultType:"image",animationEffect:"zoom",animationDuration:366,zoomOpacity:"auto",transitionEffect:"fade",transitionDuration:366,slideClass:"",baseClass:"",baseTpl:'',spinnerTpl:'
',errorTpl:'

{{ERROR}}

',btnTpl:{download:'',zoom:'',close:'',arrowLeft:'',arrowRight:'',smallBtn:''},parentEl:"body",hideScrollbar:!0,autoFocus:!0,backFocus:!0,trapFocus:!0,fullScreen:{autoStart:!1},touch:{vertical:!0,momentum:!0},hash:null,media:{},slideShow:{autoStart:!1,speed:3e3},thumbs:{autoStart:!1,hideOnClose:!0,parentEl:".fancybox-container",axis:"y"},wheel:"auto",onInit:n.noop,beforeLoad:n.noop,afterLoad:n.noop,beforeShow:n.noop,afterShow:n.noop,beforeClose:n.noop,afterClose:n.noop,onActivate:n.noop,onDeactivate:n.noop,clickContent:function(e,t){return"image"===e.type&&"zoom"},clickSlide:"close",clickOutside:"close",dblclickContent:!1,dblclickSlide:!1,dblclickOutside:!1,mobile:{preventCaptionOverlap:!1,idleTime:!1,clickContent:function(e,t){return"image"===e.type&&"toggleControls"},clickSlide:function(e,t){return"image"===e.type?"toggleControls":"close"},dblclickContent:function(e,t){return"image"===e.type&&"zoom"},dblclickSlide:function(e,t){return"image"===e.type&&"zoom"}},lang:"en",i18n:{en:{CLOSE:"Close",NEXT:"Next",PREV:"Previous",ERROR:"The requested content cannot be loaded.
Please try again later.",PLAY_START:"Start slideshow",PLAY_STOP:"Pause slideshow",FULL_SCREEN:"Full screen",THUMBS:"Thumbnails",DOWNLOAD:"Download",SHARE:"Share",ZOOM:"Zoom"},de:{CLOSE:"Schließen",NEXT:"Weiter",PREV:"Zurück",ERROR:"Die angeforderten Daten konnten nicht geladen werden.
Bitte versuchen Sie es später nochmal.",PLAY_START:"Diaschau starten",PLAY_STOP:"Diaschau beenden",FULL_SCREEN:"Vollbild",THUMBS:"Vorschaubilder",DOWNLOAD:"Herunterladen",SHARE:"Teilen",ZOOM:"Vergrößern"}}},c=n(e),u=n(t),d=0,h=e.requestAnimationFrame||e.webkitRequestAnimationFrame||e.mozRequestAnimationFrame||e.oRequestAnimationFrame||function(t){return e.setTimeout(t,1e3/60)},f=e.cancelAnimationFrame||e.webkitCancelAnimationFrame||e.mozCancelAnimationFrame||e.oCancelAnimationFrame||function(t){e.clearTimeout(t)},p=function(){var e,n=t.createElement("fakeelement"),r={transition:"transitionend",OTransition:"oTransitionEnd",MozTransition:"transitionend",WebkitTransition:"webkitTransitionEnd"};for(e in r)if(n.style[e]!==a)return r[e];return"transitionend"}(),m=function(e){return e&&e.length&&e[0].offsetHeight},v=function(e,t){var a=n.extend(!0,{},e,t);return n.each(t,(function(e,t){n.isArray(t)&&(a[e]=t)})),a},g=function(e,t,a){var r=this;r.opts=v({index:a},n.fancybox.defaults),n.isPlainObject(t)&&(r.opts=v(r.opts,t)),n.fancybox.isMobile&&(r.opts=v(r.opts,r.opts.mobile)),r.id=r.opts.id||++d,r.currIndex=parseInt(r.opts.index,10)||0,r.prevIndex=null,r.prevPos=null,r.currPos=0,r.firstRun=!0,r.group=[],r.slides={},r.addContent(e),r.group.length&&r.init()};n.extend(g.prototype,{init:function(){var a,r,o=this,i=o.group[o.currIndex].opts;i.closeExisting&&n.fancybox.close(!0),n("body").addClass("fancybox-active"),!n.fancybox.getInstance()&&!1!==i.hideScrollbar&&!n.fancybox.isMobile&&t.body.scrollHeight>e.innerHeight&&(n("head").append('"),n("body").addClass("compensate-for-scrollbar")),r="",n.each(i.buttons,(function(e,t){r+=i.btnTpl[t]||""})),a=n(o.translate(o,i.baseTpl.replace("{{buttons}}",r).replace("{{arrows}}",i.btnTpl.arrowLeft+i.btnTpl.arrowRight))).attr("id","fancybox-container-"+o.id).addClass(i.baseClass).data("FancyBox",o).appendTo(i.parentEl),o.$refs={container:a},["bg","inner","infobar","toolbar","stage","caption","navigation"].forEach((function(e){o.$refs[e]=a.find(".fancybox-"+e)})),o.trigger("onInit"),o.activate(),o.jumpTo(o.currIndex)},translate:function(e,t){var n=e.opts.i18n[e.opts.lang]||e.opts.i18n.en;return t.replace(/\{\{(\w+)\}\}/g,(function(e,t){return n[t]===a?e:n[t]}))},addContent:function(e){var t,r=this,o=n.makeArray(e);n.each(o,(function(e,t){var o,i,s,l,c,u={},d={};n.isPlainObject(t)?(u=t,d=t.opts||t):"object"===n.type(t)&&n(t).length?(d=(o=n(t)).data()||{},(d=n.extend(!0,{},d,d.options)).$orig=o,u.src=r.opts.src||d.src||o.attr("href"),u.type||u.src||(u.type="inline",u.src=t)):u={type:"html",src:t+""},u.opts=n.extend(!0,{},r.opts,d),n.isArray(d.buttons)&&(u.opts.buttons=d.buttons),n.fancybox.isMobile&&u.opts.mobile&&(u.opts=v(u.opts,u.opts.mobile)),i=u.type||u.opts.type,l=u.src||"",!i&&l&&((s=l.match(/\.(mp4|mov|ogv|webm)((\?|#).*)?$/i))?(i="video",u.opts.video.format||(u.opts.video.format="video/"+("ogv"===s[1]?"ogg":s[1]))):l.match(/(^data:image\/[a-z0-9+\/=]*,)|(\.(jp(e|g|eg)|gif|png|bmp|webp|svg|ico)((\?|#).*)?$)/i)?i="image":l.match(/\.(pdf)((\?|#).*)?$/i)?(i="iframe",u=n.extend(!0,u,{contentType:"pdf",opts:{iframe:{preload:!1}}})):"#"===l.charAt(0)&&(i="inline")),i?u.type=i:r.trigger("objectNeedsType",u),u.contentType||(u.contentType=n.inArray(u.type,["html","inline","ajax"])>-1?"html":u.type),u.index=r.group.length,"auto"==u.opts.smallBtn&&(u.opts.smallBtn=n.inArray(u.type,["html","inline","ajax"])>-1),"auto"===u.opts.toolbar&&(u.opts.toolbar=!u.opts.smallBtn),u.$thumb=u.opts.$thumb||null,u.opts.$trigger&&u.index===r.opts.index&&(u.$thumb=u.opts.$trigger.find("img:first"),u.$thumb.length&&(u.opts.$orig=u.opts.$trigger)),u.$thumb&&u.$thumb.length||!u.opts.$orig||(u.$thumb=u.opts.$orig.find("img:first")),u.$thumb&&!u.$thumb.length&&(u.$thumb=null),u.thumb=u.opts.thumb||(u.$thumb?u.$thumb[0].src:null),"function"===n.type(u.opts.caption)&&(u.opts.caption=u.opts.caption.apply(t,[r,u])),"function"===n.type(r.opts.caption)&&(u.opts.caption=r.opts.caption.apply(t,[r,u])),u.opts.caption instanceof n||(u.opts.caption=u.opts.caption===a?"":u.opts.caption+""),"ajax"===u.type&&(c=l.split(/\s+/,2)).length>1&&(u.src=c.shift(),u.opts.filter=c.shift()),u.opts.modal&&(u.opts=n.extend(!0,u.opts,{trapFocus:!0,infobar:0,toolbar:0,smallBtn:0,keyboard:0,slideShow:0,fullScreen:0,thumbs:0,touch:0,clickContent:!1,clickSlide:!1,clickOutside:!1,dblclickContent:!1,dblclickSlide:!1,dblclickOutside:!1})),r.group.push(u)})),Object.keys(r.slides).length&&(r.updateControls(),(t=r.Thumbs)&&t.isActive&&(t.create(),t.focus()))},addEvents:function(){var t=this;t.removeEvents(),t.$refs.container.on("click.fb-close","[data-fancybox-close]",(function(e){e.stopPropagation(),e.preventDefault(),t.close(e)})).on("touchstart.fb-prev click.fb-prev","[data-fancybox-prev]",(function(e){e.stopPropagation(),e.preventDefault(),t.previous()})).on("touchstart.fb-next click.fb-next","[data-fancybox-next]",(function(e){e.stopPropagation(),e.preventDefault(),t.next()})).on("click.fb","[data-fancybox-zoom]",(function(e){t[t.isScaledDown()?"scaleToActual":"scaleToFit"]()})),c.on("orientationchange.fb resize.fb",(function(e){e&&e.originalEvent&&"resize"===e.originalEvent.type?(t.requestId&&f(t.requestId),t.requestId=h((function(){t.update(e)}))):(t.current&&"iframe"===t.current.type&&t.$refs.stage.hide(),setTimeout((function(){t.$refs.stage.show(),t.update(e)}),n.fancybox.isMobile?600:250))})),u.on("keydown.fb",(function(e){var a=(n.fancybox?n.fancybox.getInstance():null).current,r=e.keyCode||e.which;if(9!=r){if(!(!a.opts.keyboard||e.ctrlKey||e.altKey||e.shiftKey||n(e.target).is("input,textarea,video,audio,select")))return 8===r||27===r?(e.preventDefault(),void t.close(e)):37===r||38===r?(e.preventDefault(),void t.previous()):39===r||40===r?(e.preventDefault(),void t.next()):void t.trigger("afterKeydown",e,r)}else a.opts.trapFocus&&t.focus(e)})),t.group[t.currIndex].opts.idleTime&&(t.idleSecondsCounter=0,u.on("mousemove.fb-idle mouseleave.fb-idle mousedown.fb-idle touchstart.fb-idle touchmove.fb-idle scroll.fb-idle keydown.fb-idle",(function(e){t.idleSecondsCounter=0,t.isIdle&&t.showControls(),t.isIdle=!1})),t.idleInterval=e.setInterval((function(){t.idleSecondsCounter++,t.idleSecondsCounter>=t.group[t.currIndex].opts.idleTime&&!t.isDragging&&(t.isIdle=!0,t.idleSecondsCounter=0,t.hideControls())}),1e3))},removeEvents:function(){var t=this;c.off("orientationchange.fb resize.fb"),u.off("keydown.fb .fb-idle"),this.$refs.container.off(".fb-close .fb-prev .fb-next"),t.idleInterval&&(e.clearInterval(t.idleInterval),t.idleInterval=null)},previous:function(e){return this.jumpTo(this.currPos-1,e)},next:function(e){return this.jumpTo(this.currPos+1,e)},jumpTo:function(e,t){var r,o,i,s,l,c,u,d,h,f=this,p=f.group.length;if(!(f.isDragging||f.isClosing||f.isAnimating&&f.firstRun)){if(e=parseInt(e,10),!(i=f.current?f.current.opts.loop:f.opts.loop)&&(e<0||e>=p))return!1;if(r=f.firstRun=!Object.keys(f.slides).length,l=f.current,f.prevIndex=f.currIndex,f.prevPos=f.currPos,s=f.createSlide(e),p>1&&((i||s.index0)&&f.createSlide(e-1)),f.current=s,f.currIndex=s.index,f.currPos=s.pos,f.trigger("beforeShow",r),f.updateControls(),s.forcedDuration=a,n.isNumeric(t)?s.forcedDuration=t:t=s.opts[r?"animationDuration":"transitionDuration"],t=parseInt(t,10),o=f.isMoved(s),s.$slide.addClass("fancybox-slide--current"),r)return s.opts.animationEffect&&t&&f.$refs.container.css("transition-duration",t+"ms"),f.$refs.container.addClass("fancybox-is-open").trigger("focus"),f.loadSlide(s),void f.preload("image");c=n.fancybox.getTranslate(l.$slide),u=n.fancybox.getTranslate(f.$refs.stage),n.each(f.slides,(function(e,t){n.fancybox.stop(t.$slide,!0)})),l.pos!==s.pos&&(l.isComplete=!1),l.$slide.removeClass("fancybox-slide--complete fancybox-slide--current"),o?(h=c.left-(l.pos*c.width+l.pos*l.opts.gutter),n.each(f.slides,(function(e,a){a.$slide.removeClass("fancybox-animated").removeClass((function(e,t){return(t.match(/(^|\s)fancybox-fx-\S+/g)||[]).join(" ")}));var r=a.pos*c.width+a.pos*a.opts.gutter;n.fancybox.setTranslate(a.$slide,{top:0,left:r-u.left+h}),a.pos!==s.pos&&a.$slide.addClass("fancybox-slide--"+(a.pos>s.pos?"next":"previous")),m(a.$slide),n.fancybox.animate(a.$slide,{top:0,left:(a.pos-s.pos)*c.width+(a.pos-s.pos)*a.opts.gutter},t,(function(){a.$slide.css({transform:"",opacity:""}).removeClass("fancybox-slide--next fancybox-slide--previous"),a.pos===f.currPos&&f.complete()}))}))):t&&s.opts.transitionEffect&&(d="fancybox-animated fancybox-fx-"+s.opts.transitionEffect,l.$slide.addClass("fancybox-slide--"+(l.pos>s.pos?"next":"previous")),n.fancybox.animate(l.$slide,d,t,(function(){l.$slide.removeClass(d).removeClass("fancybox-slide--next fancybox-slide--previous")}),!1)),s.isLoaded?f.revealContent(s):f.loadSlide(s),f.preload("image")}},createSlide:function(e){var t,a,r=this;return a=(a=e%r.group.length)<0?r.group.length+a:a,!r.slides[e]&&r.group[a]&&(t=n('
').appendTo(r.$refs.stage),r.slides[e]=n.extend(!0,{},r.group[a],{pos:e,$slide:t,isLoaded:!1}),r.updateSlide(r.slides[e])),r.slides[e]},scaleToActual:function(e,t,r){var o,i,s,l,c,u=this,d=u.current,h=d.$content,f=n.fancybox.getTranslate(d.$slide).width,p=n.fancybox.getTranslate(d.$slide).height,m=d.width,v=d.height;u.isAnimating||u.isMoved()||!h||"image"!=d.type||!d.isLoaded||d.hasError||(u.isAnimating=!0,n.fancybox.stop(h),e=e===a?.5*f:e,t=t===a?.5*p:t,(o=n.fancybox.getTranslate(h)).top-=n.fancybox.getTranslate(d.$slide).top,o.left-=n.fancybox.getTranslate(d.$slide).left,l=m/o.width,c=v/o.height,i=.5*f-.5*m,s=.5*p-.5*v,m>f&&((i=o.left*l-(e*l-e))>0&&(i=0),ip&&((s=o.top*c-(t*c-t))>0&&(s=0),st-.5&&(l=t),(c*=r)>a-.5&&(c=a),"image"===e.type?(u.top=Math.floor(.5*(a-c))+parseFloat(s.css("paddingTop")),u.left=Math.floor(.5*(t-l))+parseFloat(s.css("paddingLeft"))):"video"===e.contentType&&(c>l/(o=e.opts.width&&e.opts.height?l/c:e.opts.ratio||16/9)?c=l/o:l>c*o&&(l=c*o)),u.width=l,u.height=c,u)},update:function(e){var t=this;n.each(t.slides,(function(n,a){t.updateSlide(a,e)}))},updateSlide:function(e,t){var a=this,r=e&&e.$content,o=e.width||e.opts.width,i=e.height||e.opts.height,s=e.$slide;a.adjustCaption(e),r&&(o||i||"video"===e.contentType)&&!e.hasError&&(n.fancybox.stop(r),n.fancybox.setTranslate(r,a.getFitPos(e)),e.pos===a.currPos&&(a.isAnimating=!1,a.updateCursor())),a.adjustLayout(e),s.length&&(s.trigger("refresh"),e.pos===a.currPos&&a.$refs.toolbar.add(a.$refs.navigation.find(".fancybox-button--arrow_right")).toggleClass("compensate-for-scrollbar",s.get(0).scrollHeight>s.get(0).clientHeight)),a.trigger("onUpdate",e,t)},centerSlide:function(e){var t=this,r=t.current,o=r.$slide;!t.isClosing&&r&&(o.siblings().css({transform:"",opacity:""}),o.parent().children().removeClass("fancybox-slide--previous fancybox-slide--next"),n.fancybox.animate(o,{top:0,left:0,opacity:1},e===a?0:e,(function(){o.css({transform:"",opacity:""}),r.isComplete||t.complete()}),!1))},isMoved:function(e){var t,a,r=e||this.current;return!!r&&(a=n.fancybox.getTranslate(this.$refs.stage),t=n.fancybox.getTranslate(r.$slide),!r.$slide.hasClass("fancybox-animated")&&(Math.abs(t.top-a.top)>.5||Math.abs(t.left-a.left)>.5))},updateCursor:function(e,t){var a,r,o=this,i=o.current,s=o.$refs.container;i&&!o.isClosing&&o.Guestures&&(s.removeClass("fancybox-is-zoomable fancybox-can-zoomIn fancybox-can-zoomOut fancybox-can-swipe fancybox-can-pan"),r=!!(a=o.canPan(e,t))||o.isZoomable(),s.toggleClass("fancybox-is-zoomable",r),n("[data-fancybox-zoom]").prop("disabled",!r),a?s.addClass("fancybox-can-pan"):r&&("zoom"===i.opts.clickContent||n.isFunction(i.opts.clickContent)&&"zoom"==i.opts.clickContent(i))?s.addClass("fancybox-can-zoomIn"):i.opts.touch&&(i.opts.touch.vertical||o.group.length>1)&&"video"!==i.contentType&&s.addClass("fancybox-can-swipe"))},isZoomable:function(){var e,t=this,n=t.current;if(n&&!t.isClosing&&"image"===n.type&&!n.hasError){if(!n.isLoaded)return!0;if((e=t.getFitPos(n))&&(n.width>e.width||n.height>e.height))return!0}return!1},isScaledDown:function(e,t){var r=!1,o=this.current,i=o.$content;return e!==a&&t!==a?r=e1.5||Math.abs(o.height-i.height)>1.5)),i},loadSlide:function(e){var t,a,r,o=this;if(!e.isLoading&&!e.isLoaded){if(e.isLoading=!0,!1===o.trigger("beforeLoad",e))return e.isLoading=!1,!1;switch(t=e.type,(a=e.$slide).off("refresh").trigger("onReset").addClass(e.opts.slideClass),t){case"image":o.setImage(e);break;case"iframe":o.setIframe(e);break;case"html":o.setContent(e,e.src||e.content);break;case"video":o.setContent(e,e.opts.video.tpl.replace(/\{\{src\}\}/gi,e.src).replace("{{format}}",e.opts.videoFormat||e.opts.video.format||"").replace("{{poster}}",e.thumb||""));break;case"inline":n(e.src).length?o.setContent(e,n(e.src)):o.setError(e);break;case"ajax":o.showLoading(e),r=n.ajax(n.extend({},e.opts.ajax.settings,{url:e.src,success:function(t,n){"success"===n&&o.setContent(e,t)},error:function(t,n){t&&"abort"!==n&&o.setError(e)}})),a.one("onReset",(function(){r.abort()}));break;default:o.setError(e)}return!0}},setImage:function(e){var a,r=this;setTimeout((function(){var t=e.$image;r.isClosing||!e.isLoading||t&&t.length&&t[0].complete||e.hasError||r.showLoading(e)}),50),r.checkSrcset(e),e.$content=n('
').addClass("fancybox-is-hidden").appendTo(e.$slide.addClass("fancybox-slide--image")),!1!==e.opts.preload&&e.opts.width&&e.opts.height&&e.thumb&&(e.width=e.opts.width,e.height=e.opts.height,(a=t.createElement("img")).onerror=function(){n(this).remove(),e.$ghost=null},a.onload=function(){r.afterLoad(e)},e.$ghost=n(a).addClass("fancybox-image").appendTo(e.$content).attr("src",e.thumb)),r.setBigImage(e)},checkSrcset:function(t){var n,a,r,o,i=t.opts.srcset||t.opts.image.srcset;if(i){r=e.devicePixelRatio||1,o=e.innerWidth*r,a=i.split(",").map((function(e){var t={};return e.trim().split(/\s+/).forEach((function(e,n){var a=parseInt(e.substring(0,e.length-1),10);if(0===n)return t.url=e;a&&(t.value=a,t.postfix=e[e.length-1])})),t})),a.sort((function(e,t){return e.value-t.value}));for(var s=0;s=o||"x"===l.postfix&&l.value>=r){n=l;break}}!n&&a.length&&(n=a[a.length-1]),n&&(t.src=n.url,t.width&&t.height&&"w"==n.postfix&&(t.height=t.width/t.height*n.value,t.width=n.value),t.opts.srcset=i)}},setBigImage:function(e){var a=this,r=t.createElement("img"),o=n(r);e.$image=o.one("error",(function(){a.setError(e)})).one("load",(function(){var t;e.$ghost||(a.resolveImageSlideSize(e,this.naturalWidth,this.naturalHeight),a.afterLoad(e)),a.isClosing||(e.opts.srcset&&((t=e.opts.sizes)&&"auto"!==t||(t=(e.width/e.height>1&&c.width()/c.height()>1?"100":Math.round(e.width/e.height*100))+"vw"),o.attr("sizes",t).attr("srcset",e.opts.srcset)),e.$ghost&&setTimeout((function(){e.$ghost&&!a.isClosing&&e.$ghost.hide()}),Math.min(300,Math.max(1e3,e.height/1600))),a.hideLoading(e))})).addClass("fancybox-image").attr("src",e.src).appendTo(e.$content),(r.complete||"complete"==r.readyState)&&o.naturalWidth&&o.naturalHeight?o.trigger("load"):r.error&&o.trigger("error")},resolveImageSlideSize:function(e,t,n){var a=parseInt(e.opts.width,10),r=parseInt(e.opts.height,10);e.width=t,e.height=n,a>0&&(e.width=a,e.height=Math.floor(a*n/t)),r>0&&(e.width=Math.floor(r*t/n),e.height=r)},setIframe:function(e){var t,r=this,o=e.opts.iframe,i=e.$slide;e.$content=n('
').css(o.css).appendTo(i),i.addClass("fancybox-slide--"+e.contentType),e.$iframe=t=n(o.tpl.replace(/\{rnd\}/g,(new Date).getTime())).attr(o.attr).appendTo(e.$content),o.preload?(r.showLoading(e),t.on("load.fb error.fb",(function(t){this.isReady=1,e.$slide.trigger("refresh"),r.afterLoad(e)})),i.on("refresh.fb",(function(){var n,r=e.$content,s=o.css.width,l=o.css.height;if(1===t[0].isReady){try{n=t.contents().find("body")}catch(e){}n&&n.length&&n.children().length&&(i.css("overflow","visible"),r.css({width:"100%","max-width":"100%",height:"9999px"}),s===a&&(s=Math.ceil(Math.max(n[0].clientWidth,n.outerWidth(!0)))),r.css("width",s||"").css("max-width",""),l===a&&(l=Math.ceil(Math.max(n[0].clientHeight,n.outerHeight(!0)))),r.css("height",l||""),i.css("overflow","auto")),r.removeClass("fancybox-is-hidden")}}))):r.afterLoad(e),t.attr("src",e.src),i.one("onReset",(function(){try{n(this).find("iframe").hide().unbind().attr("src","//about:blank")}catch(e){}n(this).off("refresh.fb").empty(),e.isLoaded=!1,e.isRevealed=!1}))},setContent:function(e,t){var a,r=this;r.isClosing||(r.hideLoading(e),e.$content&&n.fancybox.stop(e.$content),e.$slide.empty(),(a=t)&&a.hasOwnProperty&&a instanceof n&&t.parent().length?((t.hasClass("fancybox-content")||t.parent().hasClass("fancybox-content"))&&t.parents(".fancybox-slide").trigger("onReset"),e.$placeholder=n("
").hide().insertAfter(t),t.css("display","inline-block")):e.hasError||("string"===n.type(t)&&(t=n("
").append(n.trim(t)).contents()),e.opts.filter&&(t=n("
").html(t).find(e.opts.filter))),e.$slide.one("onReset",(function(){n(this).find("video,audio").trigger("pause"),e.$placeholder&&(e.$placeholder.after(t.removeClass("fancybox-content").hide()).remove(),e.$placeholder=null),e.$smallBtn&&(e.$smallBtn.remove(),e.$smallBtn=null),e.hasError||(n(this).empty(),e.isLoaded=!1,e.isRevealed=!1)})),n(t).appendTo(e.$slide),n(t).is("video,audio")&&(n(t).addClass("fancybox-video"),n(t).wrap("
"),e.contentType="video",e.opts.width=e.opts.width||n(t).attr("width"),e.opts.height=e.opts.height||n(t).attr("height")),e.$content=e.$slide.children().filter("div,form,main,video,audio,article,.fancybox-content").first(),e.$content.siblings().hide(),e.$content.length||(e.$content=e.$slide.wrapInner("
").children().first()),e.$content.addClass("fancybox-content"),e.$slide.addClass("fancybox-slide--"+e.contentType),r.afterLoad(e))},setError:function(e){e.hasError=!0,e.$slide.trigger("onReset").removeClass("fancybox-slide--"+e.contentType).addClass("fancybox-slide--error"),e.contentType="html",this.setContent(e,this.translate(e,e.opts.errorTpl)),e.pos===this.currPos&&(this.isAnimating=!1)},showLoading:function(e){var t=this;(e=e||t.current)&&!e.$spinner&&(e.$spinner=n(t.translate(t,t.opts.spinnerTpl)).appendTo(e.$slide).hide().fadeIn("fast"))},hideLoading:function(e){(e=e||this.current)&&e.$spinner&&(e.$spinner.stop().remove(),delete e.$spinner)},afterLoad:function(e){var t=this;t.isClosing||(e.isLoading=!1,e.isLoaded=!0,t.trigger("afterLoad",e),t.hideLoading(e),!e.opts.smallBtn||e.$smallBtn&&e.$smallBtn.length||(e.$smallBtn=n(t.translate(e,e.opts.btnTpl.smallBtn)).appendTo(e.$content)),e.opts.protect&&e.$content&&!e.hasError&&(e.$content.on("contextmenu.fb",(function(e){return 2==e.button&&e.preventDefault(),!0})),"image"===e.type&&n('
').appendTo(e.$content)),t.adjustCaption(e),t.adjustLayout(e),e.pos===t.currPos&&t.updateCursor(),t.revealContent(e))},adjustCaption:function(e){var t,n=this,a=e||n.current,r=a.opts.caption,o=a.opts.preventCaptionOverlap,i=n.$refs.caption,s=!1;i.toggleClass("fancybox-caption--separate",o),o&&r&&r.length&&(a.pos!==n.currPos?((t=i.clone().appendTo(i.parent())).children().eq(0).empty().html(r),s=t.outerHeight(!0),t.empty().remove()):n.$caption&&(s=n.$caption.outerHeight(!0)),a.$slide.css("padding-bottom",s||""))},adjustLayout:function(e){var t,n,a,r,o=e||this.current;o.isLoaded&&!0!==o.opts.disableLayoutFix&&(o.$content.css("margin-bottom",""),o.$content.outerHeight()>o.$slide.height()+.5&&(a=o.$slide[0].style["padding-bottom"],r=o.$slide.css("padding-bottom"),parseFloat(r)>0&&(t=o.$slide[0].scrollHeight,o.$slide.css("padding-bottom",0),Math.abs(t-o.$slide[0].scrollHeight)<1&&(n=r),o.$slide.css("padding-bottom",a))),o.$content.css("margin-bottom",n))},revealContent:function(e){var t,r,o,i,s=this,l=e.$slide,c=!1,u=!1,d=s.isMoved(e),h=e.isRevealed;return e.isRevealed=!0,t=e.opts[s.firstRun?"animationEffect":"transitionEffect"],o=e.opts[s.firstRun?"animationDuration":"transitionDuration"],o=parseInt(e.forcedDuration===a?o:e.forcedDuration,10),!d&&e.pos===s.currPos&&o||(t=!1),"zoom"===t&&(e.pos===s.currPos&&o&&"image"===e.type&&!e.hasError&&(u=s.getThumbPos(e))?c=s.getFitPos(e):t="fade"),"zoom"===t?(s.isAnimating=!0,c.scaleX=c.width/u.width,c.scaleY=c.height/u.height,"auto"==(i=e.opts.zoomOpacity)&&(i=Math.abs(e.width/e.height-u.width/u.height)>.1),i&&(u.opacity=.1,c.opacity=1),n.fancybox.setTranslate(e.$content.removeClass("fancybox-is-hidden"),u),m(e.$content),void n.fancybox.animate(e.$content,c,o,(function(){s.isAnimating=!1,s.complete()}))):(s.updateSlide(e),t?(n.fancybox.stop(l),r="fancybox-slide--"+(e.pos>=s.prevPos?"next":"previous")+" fancybox-animated fancybox-fx-"+t,l.addClass(r).removeClass("fancybox-slide--current"),e.$content.removeClass("fancybox-is-hidden"),m(l),"image"!==e.type&&e.$content.hide().show(0),void n.fancybox.animate(l,"fancybox-slide--current",o,(function(){l.removeClass(r).css({transform:"",opacity:""}),e.pos===s.currPos&&s.complete()}),!0)):(e.$content.removeClass("fancybox-is-hidden"),h||!d||"image"!==e.type||e.hasError||e.$content.hide().fadeIn("fast"),void(e.pos===s.currPos&&s.complete())))},getThumbPos:function(e){var a,r,o,i,s,l,c=e.$thumb;return!(!c||!function(e){var a,r;return!(!e||e.ownerDocument!==t)&&(n(".fancybox-container").css("pointer-events","none"),a={x:e.getBoundingClientRect().left+e.offsetWidth/2,y:e.getBoundingClientRect().top+e.offsetHeight/2},r=t.elementFromPoint(a.x,a.y)===e,n(".fancybox-container").css("pointer-events",""),r)}(c[0]))&&(r=n.fancybox.getTranslate(c),o=parseFloat(c.css("border-top-width")||0),i=parseFloat(c.css("border-right-width")||0),s=parseFloat(c.css("border-bottom-width")||0),l=parseFloat(c.css("border-left-width")||0),a={top:r.top+o,left:r.left+l,width:r.width-i-l,height:r.height-o-s,scaleX:1,scaleY:1},r.width>0&&r.height>0&&a)},complete:function(){var e,t=this,a=t.current,r={};!t.isMoved()&&a.isLoaded&&(a.isComplete||(a.isComplete=!0,a.$slide.siblings().trigger("onReset"),t.preload("inline"),m(a.$slide),a.$slide.addClass("fancybox-slide--complete"),n.each(t.slides,(function(e,a){a.pos>=t.currPos-1&&a.pos<=t.currPos+1?r[a.pos]=a:a&&(n.fancybox.stop(a.$slide),a.$slide.off().remove())})),t.slides=r),t.isAnimating=!1,t.updateCursor(),t.trigger("afterShow"),a.opts.video.autoStart&&a.$slide.find("video,audio").filter(":visible:first").trigger("play").one("ended",(function(){Document.exitFullscreen?Document.exitFullscreen():this.webkitExitFullscreen&&this.webkitExitFullscreen(),t.next()})),a.opts.autoFocus&&"html"===a.contentType&&((e=a.$content.find("input[autofocus]:enabled:visible:first")).length?e.trigger("focus"):t.focus(null,!0)),a.$slide.scrollTop(0).scrollLeft(0))},preload:function(e){var t,n,a=this;a.group.length<2||(n=a.slides[a.currPos+1],(t=a.slides[a.currPos-1])&&t.type===e&&a.loadSlide(t),n&&n.type===e&&a.loadSlide(n))},focus:function(e,a){var r,o,i=this,s=["a[href]","area[href]",'input:not([disabled]):not([type="hidden"]):not([aria-hidden])',"select:not([disabled]):not([aria-hidden])","textarea:not([disabled]):not([aria-hidden])","button:not([disabled]):not([aria-hidden])","iframe","object","embed","video","audio","[contenteditable]",'[tabindex]:not([tabindex^="-"])'].join(",");i.isClosing||((r=(r=!e&&i.current&&i.current.isComplete?i.current.$slide.find("*:visible"+(a?":not(.fancybox-close-small)":"")):i.$refs.container.find("*:visible")).filter(s).filter((function(){return"hidden"!==n(this).css("visibility")&&!n(this).hasClass("disabled")}))).length?(o=r.index(t.activeElement),e&&e.shiftKey?(o<0||0==o)&&(e.preventDefault(),r.eq(r.length-1).trigger("focus")):(o<0||o==r.length-1)&&(e&&e.preventDefault(),r.eq(0).trigger("focus"))):i.$refs.container.trigger("focus"))},activate:function(){var e=this;n(".fancybox-container").each((function(){var t=n(this).data("FancyBox");t&&t.id!==e.id&&!t.isClosing&&(t.trigger("onDeactivate"),t.removeEvents(),t.isVisible=!1)})),e.isVisible=!0,(e.current||e.isIdle)&&(e.update(),e.updateControls()),e.trigger("onActivate"),e.addEvents()},close:function(e,t){var a,r,o,i,s,l,c,u=this,d=u.current,f=function(){u.cleanUp(e)};return!u.isClosing&&(u.isClosing=!0,!1===u.trigger("beforeClose",e)?(u.isClosing=!1,h((function(){u.update()})),!1):(u.removeEvents(),o=d.$content,a=d.opts.animationEffect,r=n.isNumeric(t)?t:a?d.opts.animationDuration:0,d.$slide.removeClass("fancybox-slide--complete fancybox-slide--next fancybox-slide--previous fancybox-animated"),!0!==e?n.fancybox.stop(d.$slide):a=!1,d.$slide.siblings().trigger("onReset").remove(),r&&u.$refs.container.removeClass("fancybox-is-open").addClass("fancybox-is-closing").css("transition-duration",r+"ms"),u.hideLoading(d),u.hideControls(!0),u.updateCursor(),"zoom"!==a||o&&r&&"image"===d.type&&!u.isMoved()&&!d.hasError&&(c=u.getThumbPos(d))||(a="fade"),"zoom"===a?(n.fancybox.stop(o),l={top:(i=n.fancybox.getTranslate(o)).top,left:i.left,scaleX:i.width/c.width,scaleY:i.height/c.height,width:c.width,height:c.height},"auto"==(s=d.opts.zoomOpacity)&&(s=Math.abs(d.width/d.height-c.width/c.height)>.1),s&&(c.opacity=0),n.fancybox.setTranslate(o,l),m(o),n.fancybox.animate(o,c,r,f),!0):(a&&r?n.fancybox.animate(d.$slide.addClass("fancybox-slide--previous").removeClass("fancybox-slide--current"),"fancybox-animated fancybox-fx-"+a,r,f):!0===e?setTimeout(f,r):f(),!0)))},cleanUp:function(t){var a,r,o,i=this,s=i.current.opts.$orig;i.current.$slide.trigger("onReset"),i.$refs.container.empty().remove(),i.trigger("afterClose",t),i.current.opts.backFocus&&(s&&s.length&&s.is(":visible")||(s=i.$trigger),s&&s.length&&(r=e.scrollX,o=e.scrollY,s.trigger("focus"),n("html, body").scrollTop(o).scrollLeft(r))),i.current=null,(a=n.fancybox.getInstance())?a.activate():(n("body").removeClass("fancybox-active compensate-for-scrollbar"),n("#fancybox-style-noscroll").remove())},trigger:function(e,t){var a,r=Array.prototype.slice.call(arguments,1),o=this,i=t&&t.opts?t:o.current;if(i?r.unshift(i):i=o,r.unshift(o),n.isFunction(i.opts[e])&&(a=i.opts[e].apply(i,r)),!1===a)return a;"afterClose"!==e&&o.$refs?o.$refs.container.trigger(e+".fb",r):u.trigger(e+".fb",r)},updateControls:function(){var e=this,a=e.current,r=a.index,o=e.$refs.container,i=e.$refs.caption,s=a.opts.caption;a.$slide.trigger("refresh"),s&&s.length?(e.$caption=i,i.children().eq(0).html(s)):e.$caption=null,e.hasHiddenControls||e.isIdle||e.showControls(),o.find("[data-fancybox-count]").html(e.group.length),o.find("[data-fancybox-index]").html(r+1),o.find("[data-fancybox-prev]").prop("disabled",!a.opts.loop&&r<=0),o.find("[data-fancybox-next]").prop("disabled",!a.opts.loop&&r>=e.group.length-1),"image"===a.type?o.find("[data-fancybox-zoom]").show().end().find("[data-fancybox-download]").attr("href",a.opts.image.src||a.src).show():a.opts.toolbar&&o.find("[data-fancybox-download],[data-fancybox-zoom]").hide(),n(t.activeElement).is(":hidden,[disabled]")&&e.$refs.container.trigger("focus")},hideControls:function(e){var t=["infobar","toolbar","nav"];!e&&this.current.opts.preventCaptionOverlap||t.push("caption"),this.$refs.container.removeClass(t.map((function(e){return"fancybox-show-"+e})).join(" ")),this.hasHiddenControls=!0},showControls:function(){var e=this,t=e.current?e.current.opts:e.opts,n=e.$refs.container;e.hasHiddenControls=!1,e.idleSecondsCounter=0,n.toggleClass("fancybox-show-toolbar",!(!t.toolbar||!t.buttons)).toggleClass("fancybox-show-infobar",!!(t.infobar&&e.group.length>1)).toggleClass("fancybox-show-caption",!!e.$caption).toggleClass("fancybox-show-nav",!!(t.arrows&&e.group.length>1)).toggleClass("fancybox-is-modal",!!t.modal)},toggleControls:function(){this.hasHiddenControls?this.showControls():this.hideControls()}}),n.fancybox={version:"3.5.7",defaults:l,getInstance:function(e){var t=n('.fancybox-container:not(".fancybox-is-closing"):last').data("FancyBox"),a=Array.prototype.slice.call(arguments,1);return t instanceof g&&("string"===n.type(e)?t[e].apply(t,a):"function"===n.type(e)&&e.apply(t,a),t)},open:function(e,t,n){return new g(e,t,n)},close:function(e){var t=this.getInstance();t&&(t.close(),!0===e&&this.close(e))},destroy:function(){this.close(!0),u.add("body").off("click.fb-start","**")},isMobile:/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),use3d:(r=t.createElement("div"),e.getComputedStyle&&e.getComputedStyle(r)&&e.getComputedStyle(r).getPropertyValue("transform")&&!(t.documentMode&&t.documentMode<11)),getTranslate:function(e){var t;return!(!e||!e.length)&&{top:(t=e[0].getBoundingClientRect()).top||0,left:t.left||0,width:t.width,height:t.height,opacity:parseFloat(e.css("opacity"))}},setTranslate:function(e,t){var n="",r={};if(e&&t)return t.left===a&&t.top===a||(n=(t.left===a?e.position().left:t.left)+"px, "+(t.top===a?e.position().top:t.top)+"px",n=this.use3d?"translate3d("+n+", 0px)":"translate("+n+")"),t.scaleX!==a&&t.scaleY!==a?n+=" scale("+t.scaleX+", "+t.scaleY+")":t.scaleX!==a&&(n+=" scaleX("+t.scaleX+")"),n.length&&(r.transform=n),t.opacity!==a&&(r.opacity=t.opacity),t.width!==a&&(r.width=t.width),t.height!==a&&(r.height=t.height),e.css(r)},animate:function(e,t,r,o,i){var s,l=this;n.isFunction(r)&&(o=r,r=null),l.stop(e),s=l.getTranslate(e),e.on(p,(function(c){(!c||!c.originalEvent||e.is(c.originalEvent.target)&&"z-index"!=c.originalEvent.propertyName)&&(l.stop(e),n.isNumeric(r)&&e.css("transition-duration",""),n.isPlainObject(t)?t.scaleX!==a&&t.scaleY!==a&&l.setTranslate(e,{top:t.top,left:t.left,width:s.width*t.scaleX,height:s.height*t.scaleY,scaleX:1,scaleY:1}):!0!==i&&e.removeClass(t),n.isFunction(o)&&o(c))})),n.isNumeric(r)&&e.css("transition-duration",r+"ms"),n.isPlainObject(t)?(t.scaleX!==a&&t.scaleY!==a&&(delete t.width,delete t.height,e.parent().hasClass("fancybox-slide--image")&&e.parent().addClass("fancybox-is-scaling")),n.fancybox.setTranslate(e,t)):e.addClass(t),e.data("timer",setTimeout((function(){e.trigger(p)}),r+33))},stop:function(e,t){e&&e.length&&(clearTimeout(e.data("timer")),t&&e.trigger(p),e.off(p).css("transition-duration",""),e.parent().removeClass("fancybox-is-scaling"))}},n.fn.fancybox=function(e){var t;return(t=(e=e||{}).selector||!1)?n("body").off("click.fb-start",t).on("click.fb-start",t,{options:e},_):this.off("click.fb-start").on("click.fb-start",{items:this,options:e},_),this},u.on("click.fb-start","[data-fancybox]",_),u.on("click.fb-start","[data-fancybox-trigger]",(function(e){n('[data-fancybox="'+n(this).attr("data-fancybox-trigger")+'"]').eq(n(this).attr("data-fancybox-index")||0).trigger("click.fb-start",{$trigger:n(this)})})),o=".fancybox-button",i="fancybox-focus",s=null,u.on("mousedown mouseup focus blur",o,(function(e){switch(e.type){case"mousedown":s=n(this);break;case"mouseup":s=null;break;case"focusin":n(o).removeClass(i),n(this).is(s)||n(this).is("[disabled]")||n(this).addClass(i);break;case"focusout":n(o).removeClass(i)}}))}function _(e,t){var a,r,o,i=[],s=0;e&&e.isDefaultPrevented()||(e.preventDefault(),t=t||{},e&&e.data&&(t=v(e.data.options,t)),a=t.$target||n(e.currentTarget).trigger("blur"),(o=n.fancybox.getInstance())&&o.$trigger&&o.$trigger.is(a)||(i=t.selector?n(t.selector):(r=a.attr("data-fancybox")||"")?(i=e.data?e.data.items:[]).length?i.filter('[data-fancybox="'+r+'"]'):n('[data-fancybox="'+r+'"]'):[a],(s=n(i).index(a))<0&&(s=0),(o=n.fancybox.open(i,t,s)).$trigger=a))}}(window,document,a),function(e){"use strict";var t={youtube:{matcher:/(youtube\.com|youtu\.be|youtube\-nocookie\.com)\/(watch\?(.*&)?v=|v\/|u\/|embed\/?)?(videoseries\?list=(.*)|[\w-]{11}|\?listType=(.*)&list=(.*))(.*)/i,params:{autoplay:1,autohide:1,fs:1,rel:0,hd:1,wmode:"transparent",enablejsapi:1,html5:1},paramPlace:8,type:"iframe",url:"https://www.youtube-nocookie.com/embed/$4",thumb:"https://img.youtube.com/vi/$4/hqdefault.jpg"},vimeo:{matcher:/^.+vimeo.com\/(.*\/)?([\d]+)(.*)?/,params:{autoplay:1,hd:1,show_title:1,show_byline:1,show_portrait:0,fullscreen:1},paramPlace:3,type:"iframe",url:"//player.vimeo.com/video/$2"},instagram:{matcher:/(instagr\.am|instagram\.com)\/p\/([a-zA-Z0-9_\-]+)\/?/i,type:"image",url:"//$1/p/$2/media/?size=l"},gmap_place:{matcher:/(maps\.)?google\.([a-z]{2,3}(\.[a-z]{2})?)\/(((maps\/(place\/(.*)\/)?\@(.*),(\d+.?\d+?)z))|(\?ll=))(.*)?/i,type:"iframe",url:function(e){return"//maps.google."+e[2]+"/?ll="+(e[9]?e[9]+"&z="+Math.floor(e[10])+(e[12]?e[12].replace(/^\//,"&"):""):e[12]+"").replace(/\?/,"&")+"&output="+(e[12]&&e[12].indexOf("layer=c")>0?"svembed":"embed")}},gmap_search:{matcher:/(maps\.)?google\.([a-z]{2,3}(\.[a-z]{2})?)\/(maps\/search\/)(.*)/i,type:"iframe",url:function(e){return"//maps.google."+e[2]+"/maps?q="+e[5].replace("query=","q=").replace("api=1","")+"&output=embed"}}},n=function(t,n,a){if(t)return a=a||"","object"===e.type(a)&&(a=e.param(a,!0)),e.each(n,(function(e,n){t=t.replace("$"+e,n||"")})),a.length&&(t+=(t.indexOf("?")>0?"&":"?")+a),t};e(document).on("objectNeedsType.fb",(function(a,r,o){var i,s,l,c,u,d,h,f=o.src||"",p=!1;i=e.extend(!0,{},t,o.opts.media),e.each(i,(function(t,a){if(l=f.match(a.matcher)){if(p=a.type,h=t,d={},a.paramPlace&&l[a.paramPlace]){"?"==(u=l[a.paramPlace])[0]&&(u=u.substring(1)),u=u.split("&");for(var r=0;r1&&("youtube"===n.contentSource||"vimeo"===n.contentSource)&&a.load(n.contentSource)}})}(a),function(e,t,n){"use strict";var a=e.requestAnimationFrame||e.webkitRequestAnimationFrame||e.mozRequestAnimationFrame||e.oRequestAnimationFrame||function(t){return e.setTimeout(t,1e3/60)},r=e.cancelAnimationFrame||e.webkitCancelAnimationFrame||e.mozCancelAnimationFrame||e.oCancelAnimationFrame||function(t){e.clearTimeout(t)},o=function(t){var n=[];for(var a in t=(t=t.originalEvent||t||e.e).touches&&t.touches.length?t.touches:t.changedTouches&&t.changedTouches.length?t.changedTouches:[t])t[a].pageX?n.push({x:t[a].pageX,y:t[a].pageY}):t[a].clientX&&n.push({x:t[a].clientX,y:t[a].clientY});return n},i=function(e,t,n){return t&&e?"x"===n?e.x-t.x:"y"===n?e.y-t.y:Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2)):0},s=function(e){if(e.is('a,area,button,[role="button"],input,label,select,summary,textarea,video,audio,iframe')||n.isFunction(e.get(0).onclick)||e.data("selectable"))return!0;for(var t=0,a=e[0].attributes,r=a.length;tn.clientHeight,i=("scroll"===r||"auto"===r)&&n.scrollWidth>n.clientWidth,!(s=o||i)&&(t=t.parent()).length&&!t.hasClass("fancybox-stage")&&!t.is("body"););return s},c=function(e){var t=this;t.instance=e,t.$bg=e.$refs.bg,t.$stage=e.$refs.stage,t.$container=e.$refs.container,t.destroy(),t.$container.on("touchstart.fb.touch mousedown.fb.touch",n.proxy(t,"ontouchstart"))};c.prototype.destroy=function(){var e=this;e.$container.off(".fb.touch"),n(t).off(".fb.touch"),e.requestId&&(r(e.requestId),e.requestId=null),e.tapped&&(clearTimeout(e.tapped),e.tapped=null)},c.prototype.ontouchstart=function(a){var r=this,c=n(a.target),u=r.instance,d=u.current,h=d.$slide,f=d.$content,p="touchstart"==a.type;if(p&&r.$container.off("mousedown.fb.touch"),(!a.originalEvent||2!=a.originalEvent.button)&&h.length&&c.length&&!s(c)&&!s(c.parent())&&(c.is("img")||!(a.originalEvent.clientX>c[0].clientWidth+c.offset().left))){if(!d||u.isAnimating||d.$slide.hasClass("fancybox-animated"))return a.stopPropagation(),void a.preventDefault();r.realPoints=r.startPoints=o(a),r.startPoints.length&&(d.touch&&a.stopPropagation(),r.startEvent=a,r.canTap=!0,r.$target=c,r.$content=f,r.opts=d.opts.touch,r.isPanning=!1,r.isSwiping=!1,r.isZooming=!1,r.isScrolling=!1,r.canPan=u.canPan(),r.startTime=(new Date).getTime(),r.distanceX=r.distanceY=r.distance=0,r.canvasWidth=Math.round(h[0].clientWidth),r.canvasHeight=Math.round(h[0].clientHeight),r.contentLastPos=null,r.contentStartPos=n.fancybox.getTranslate(r.$content)||{top:0,left:0},r.sliderStartPos=n.fancybox.getTranslate(h),r.stagePos=n.fancybox.getTranslate(u.$refs.stage),r.sliderStartPos.top-=r.stagePos.top,r.sliderStartPos.left-=r.stagePos.left,r.contentStartPos.top-=r.stagePos.top,r.contentStartPos.left-=r.stagePos.left,n(t).off(".fb.touch").on(p?"touchend.fb.touch touchcancel.fb.touch":"mouseup.fb.touch mouseleave.fb.touch",n.proxy(r,"ontouchend")).on(p?"touchmove.fb.touch":"mousemove.fb.touch",n.proxy(r,"ontouchmove")),n.fancybox.isMobile&&t.addEventListener("scroll",r.onscroll,!0),((r.opts||r.canPan)&&(c.is(r.$stage)||r.$stage.find(c).length)||(c.is(".fancybox-image")&&a.preventDefault(),n.fancybox.isMobile&&c.parents(".fancybox-caption").length))&&(r.isScrollable=l(c)||l(c.parent()),n.fancybox.isMobile&&r.isScrollable||a.preventDefault(),(1===r.startPoints.length||d.hasError)&&(r.canPan?(n.fancybox.stop(r.$content),r.isPanning=!0):r.isSwiping=!0,r.$container.addClass("fancybox-is-grabbing")),2===r.startPoints.length&&"image"===d.type&&(d.isLoaded||d.$ghost)&&(r.canTap=!1,r.isSwiping=!1,r.isPanning=!1,r.isZooming=!0,n.fancybox.stop(r.$content),r.centerPointStartX=.5*(r.startPoints[0].x+r.startPoints[1].x)-n(e).scrollLeft(),r.centerPointStartY=.5*(r.startPoints[0].y+r.startPoints[1].y)-n(e).scrollTop(),r.percentageOfImageAtPinchPointX=(r.centerPointStartX-r.contentStartPos.left)/r.contentStartPos.width,r.percentageOfImageAtPinchPointY=(r.centerPointStartY-r.contentStartPos.top)/r.contentStartPos.height,r.startDistanceBetweenFingers=i(r.startPoints[0],r.startPoints[1]))))}},c.prototype.onscroll=function(e){this.isScrolling=!0,t.removeEventListener("scroll",this.onscroll,!0)},c.prototype.ontouchmove=function(e){var t=this;void 0===e.originalEvent.buttons||0!==e.originalEvent.buttons?t.isScrolling?t.canTap=!1:(t.newPoints=o(e),(t.opts||t.canPan)&&t.newPoints.length&&t.newPoints.length&&(t.isSwiping&&!0===t.isSwiping||e.preventDefault(),t.distanceX=i(t.newPoints[0],t.startPoints[0],"x"),t.distanceY=i(t.newPoints[0],t.startPoints[0],"y"),t.distance=i(t.newPoints[0],t.startPoints[0]),t.distance>0&&(t.isSwiping?t.onSwipe(e):t.isPanning?t.onPan():t.isZooming&&t.onZoom()))):t.ontouchend(e)},c.prototype.onSwipe=function(t){var o,i=this,s=i.instance,l=i.isSwiping,c=i.sliderStartPos.left||0;if(!0!==l)"x"==l&&(i.distanceX>0&&(i.instance.group.length<2||0===i.instance.current.index&&!i.instance.current.opts.loop)?c+=Math.pow(i.distanceX,.8):i.distanceX<0&&(i.instance.group.length<2||i.instance.current.index===i.instance.group.length-1&&!i.instance.current.opts.loop)?c-=Math.pow(-i.distanceX,.8):c+=i.distanceX),i.sliderLastPos={top:"x"==l?0:i.sliderStartPos.top+i.distanceY,left:c},i.requestId&&(r(i.requestId),i.requestId=null),i.requestId=a((function(){i.sliderLastPos&&(n.each(i.instance.slides,(function(e,t){var a=t.pos-i.instance.currPos;n.fancybox.setTranslate(t.$slide,{top:i.sliderLastPos.top,left:i.sliderLastPos.left+a*i.canvasWidth+a*t.opts.gutter})})),i.$container.addClass("fancybox-is-sliding"))}));else if(Math.abs(i.distance)>10){if(i.canTap=!1,s.group.length<2&&i.opts.vertical?i.isSwiping="y":s.isDragging||!1===i.opts.vertical||"auto"===i.opts.vertical&&n(e).width()>800?i.isSwiping="x":(o=Math.abs(180*Math.atan2(i.distanceY,i.distanceX)/Math.PI),i.isSwiping=o>45&&o<135?"y":"x"),"y"===i.isSwiping&&n.fancybox.isMobile&&i.isScrollable)return void(i.isScrolling=!0);s.isDragging=i.isSwiping,i.startPoints=i.newPoints,n.each(s.slides,(function(e,t){var a,r;n.fancybox.stop(t.$slide),a=n.fancybox.getTranslate(t.$slide),r=n.fancybox.getTranslate(s.$refs.stage),t.$slide.css({transform:"",opacity:"","transition-duration":""}).removeClass("fancybox-animated").removeClass((function(e,t){return(t.match(/(^|\s)fancybox-fx-\S+/g)||[]).join(" ")})),t.pos===s.current.pos&&(i.sliderStartPos.top=a.top-r.top,i.sliderStartPos.left=a.left-r.left),n.fancybox.setTranslate(t.$slide,{top:a.top-r.top,left:a.left-r.left})})),s.SlideShow&&s.SlideShow.isActive&&s.SlideShow.stop()}},c.prototype.onPan=function(){var e=this;i(e.newPoints[0],e.realPoints[0])<(n.fancybox.isMobile?10:5)?e.startPoints=e.newPoints:(e.canTap=!1,e.contentLastPos=e.limitMovement(),e.requestId&&r(e.requestId),e.requestId=a((function(){n.fancybox.setTranslate(e.$content,e.contentLastPos)})))},c.prototype.limitMovement=function(){var e,t,n,a,r,o,i=this,s=i.canvasWidth,l=i.canvasHeight,c=i.distanceX,u=i.distanceY,d=i.contentStartPos,h=d.left,f=d.top,p=d.width,m=d.height;return r=p>s?h+c:h,o=f+u,e=Math.max(0,.5*s-.5*p),t=Math.max(0,.5*l-.5*m),n=Math.min(s-p,.5*s-.5*p),a=Math.min(l-m,.5*l-.5*m),c>0&&r>e&&(r=e-1+Math.pow(-e+h+c,.8)||0),c<0&&r0&&o>t&&(o=t-1+Math.pow(-t+f+u,.8)||0),u<0&&or?(e=e>0?0:e)o?(t=t>0?0:t)1&&(a.dMs>130&&i>10||i>50);a.sliderLastPos=null,"y"==e&&!t&&Math.abs(a.distanceY)>50?(n.fancybox.animate(a.instance.current.$slide,{top:a.sliderStartPos.top+a.distanceY+150*a.velocityY,opacity:0},200),r=a.instance.close(!0,250)):s&&a.distanceX>0?r=a.instance.previous(300):s&&a.distanceX<0&&(r=a.instance.next(300)),!1!==r||"x"!=e&&"y"!=e||a.instance.centerSlide(200),a.$container.removeClass("fancybox-is-sliding")},c.prototype.endPanning=function(){var e,t,a,r=this;r.contentLastPos&&(!1===r.opts.momentum||r.dMs>350?(e=r.contentLastPos.left,t=r.contentLastPos.top):(e=r.contentLastPos.left+500*r.velocityX,t=r.contentLastPos.top+500*r.velocityY),(a=r.limitPosition(e,t,r.contentStartPos.width,r.contentStartPos.height)).width=r.contentStartPos.width,a.height=r.contentStartPos.height,n.fancybox.animate(r.$content,a,366))},c.prototype.endZooming=function(){var e,t,a,r,o=this,i=o.instance.current,s=o.newWidth,l=o.newHeight;o.contentLastPos&&(e=o.contentLastPos.left,r={top:t=o.contentLastPos.top,left:e,width:s,height:l,scaleX:1,scaleY:1},n.fancybox.setTranslate(o.$content,r),si.width||l>i.height?o.instance.scaleToActual(o.centerPointStartX,o.centerPointStartY,150):(a=o.limitPosition(e,t,s,l),n.fancybox.animate(o.$content,a,150)))},c.prototype.onTap=function(t){var a,r=this,i=n(t.target),s=r.instance,l=s.current,c=t&&o(t)||r.startPoints,u=c[0]?c[0].x-n(e).scrollLeft()-r.stagePos.left:0,d=c[0]?c[0].y-n(e).scrollTop()-r.stagePos.top:0,h=function(e){var a=l.opts[e];if(n.isFunction(a)&&(a=a.apply(s,[l,t])),a)switch(a){case"close":s.close(r.startEvent);break;case"toggleControls":s.toggleControls();break;case"next":s.next();break;case"nextOrClose":s.group.length>1?s.next():s.close(r.startEvent);break;case"zoom":"image"==l.type&&(l.isLoaded||l.$ghost)&&(s.canPan()?s.scaleToFit():s.isScaledDown()?s.scaleToActual(u,d):s.group.length<2&&s.close(r.startEvent))}};if((!t.originalEvent||2!=t.originalEvent.button)&&(i.is("img")||!(u>i[0].clientWidth+i.offset().left))){if(i.is(".fancybox-bg,.fancybox-inner,.fancybox-outer,.fancybox-container"))a="Outside";else if(i.is(".fancybox-slide"))a="Slide";else{if(!s.current.$content||!s.current.$content.find(i).addBack().filter(i).length)return;a="Content"}if(r.tapped){if(clearTimeout(r.tapped),r.tapped=null,Math.abs(u-r.tapX)>50||Math.abs(d-r.tapY)>50)return this;h("dblclick"+a)}else r.tapX=u,r.tapY=d,l.opts["dblclick"+a]&&l.opts["dblclick"+a]!==l.opts["click"+a]?r.tapped=setTimeout((function(){r.tapped=null,s.isAnimating||h("click"+a)}),500):h("click"+a);return this}},n(t).on("onActivate.fb",(function(e,t){t&&!t.Guestures&&(t.Guestures=new c(t))})).on("beforeClose.fb",(function(e,t){t&&t.Guestures&&t.Guestures.destroy()}))}(window,document,a),function(e,t){"use strict";t.extend(!0,t.fancybox.defaults,{btnTpl:{slideShow:''},slideShow:{autoStart:!1,speed:3e3,progress:!0}});var n=function(e){this.instance=e,this.init()};t.extend(n.prototype,{timer:null,isActive:!1,$button:null,init:function(){var e=this,n=e.instance,a=n.group[n.currIndex].opts.slideShow;e.$button=n.$refs.toolbar.find("[data-fancybox-play]").on("click",(function(){e.toggle()})),n.group.length<2||!a?e.$button.hide():a.progress&&(e.$progress=t('
').appendTo(n.$refs.inner))},set:function(e){var n=this,a=n.instance,r=a.current;r&&(!0===e||r.opts.loop||a.currIndex'},fullScreen:{autoStart:!1}}),t(e).on(n.fullscreenchange,(function(){var e=a.isFullscreen(),n=t.fancybox.getInstance();n&&(n.current&&"image"===n.current.type&&n.isAnimating&&(n.isAnimating=!1,n.update(!0,!0,0),n.isComplete||n.complete()),n.trigger("onFullscreenChange",e),n.$refs.container.toggleClass("fancybox-is-fullscreen",e),n.$refs.toolbar.find("[data-fancybox-fullscreen]").toggleClass("fancybox-button--fsenter",!e).toggleClass("fancybox-button--fsexit",e))}))}t(e).on({"onInit.fb":function(e,t){n?t&&t.group[t.currIndex].opts.fullScreen?(t.$refs.container.on("click.fb-fullscreen","[data-fancybox-fullscreen]",(function(e){e.stopPropagation(),e.preventDefault(),a.toggle()})),t.opts.fullScreen&&!0===t.opts.fullScreen.autoStart&&a.request(),t.FullScreen=a):t&&t.$refs.toolbar.find("[data-fancybox-fullscreen]").hide():t.$refs.toolbar.find("[data-fancybox-fullscreen]").remove()},"afterKeydown.fb":function(e,t,n,a,r){t&&t.FullScreen&&70===r&&(a.preventDefault(),t.FullScreen.toggle())},"beforeClose.fb":function(e,t){t&&t.FullScreen&&t.$refs.container.hasClass("fancybox-is-fullscreen")&&a.exit()}})}(document,a),function(e,t){"use strict";var n="fancybox-thumbs",a=n+"-active";t.fancybox.defaults=t.extend(!0,{btnTpl:{thumbs:''},thumbs:{autoStart:!1,hideOnClose:!0,parentEl:".fancybox-container",axis:"y"}},t.fancybox.defaults);var r=function(e){this.init(e)};t.extend(r.prototype,{$button:null,$grid:null,$list:null,isVisible:!1,isActive:!1,init:function(e){var t=this,n=e.group,a=0;t.instance=e,t.opts=n[e.currIndex].opts.thumbs,e.Thumbs=t,t.$button=e.$refs.toolbar.find("[data-fancybox-thumbs]");for(var r=0,o=n.length;r1));r++);a>1&&t.opts?(t.$button.removeAttr("style").on("click",(function(){t.toggle()})),t.isActive=!0):t.$button.hide()},create:function(){var e,a=this,r=a.instance,o=a.opts.parentEl,i=[];a.$grid||(a.$grid=t('
').appendTo(r.$refs.container.find(o).addBack().filter(o)),a.$grid.on("click","a",(function(){r.jumpTo(t(this).attr("data-index"))}))),a.$list||(a.$list=t('
').appendTo(a.$grid)),t.each(r.group,(function(t,n){(e=n.thumb)||"image"!==n.type||(e=n.src),i.push('")})),a.$list[0].innerHTML=i.join(""),"x"===a.opts.axis&&a.$list.width(parseInt(a.$grid.css("padding-right"),10)+r.group.length*a.$list.children().eq(0).outerWidth(!0))},focus:function(e){var t,n,r=this,o=r.$list,i=r.$grid;r.instance.current&&(n=(t=o.children().removeClass(a).filter('[data-index="'+r.instance.current.index+'"]').addClass(a)).position(),"y"===r.opts.axis&&(n.top<0||n.top>o.height()-t.outerHeight())?o.stop().animate({scrollTop:o.scrollTop()+n.top},e):"x"===r.opts.axis&&(n.lefti.scrollLeft()+(i.width()-t.outerWidth()))&&o.parent().stop().animate({scrollLeft:n.left},e))},update:function(){var e=this;e.instance.$refs.container.toggleClass("fancybox-show-thumbs",this.isVisible),e.isVisible?(e.$grid||e.create(),e.instance.trigger("onThumbsShow"),e.focus(0)):e.$grid&&e.instance.trigger("onThumbsHide"),e.instance.update()},hide:function(){this.isVisible=!1,this.update()},show:function(){this.isVisible=!0,this.update()},toggle:function(){this.isVisible=!this.isVisible,this.update()}}),t(e).on({"onInit.fb":function(e,t){var n;t&&!t.Thumbs&&(n=new r(t)).isActive&&!0===n.opts.autoStart&&n.show()},"beforeShow.fb":function(e,t,n,a){var r=t&&t.Thumbs;r&&r.isVisible&&r.focus(a?0:250)},"afterKeydown.fb":function(e,t,n,a,r){var o=t&&t.Thumbs;o&&o.isActive&&71===r&&(a.preventDefault(),o.toggle())},"beforeClose.fb":function(e,t){var n=t&&t.Thumbs;n&&n.isVisible&&!1!==n.opts.hideOnClose&&n.$grid.hide()}})}(document,a),function(e,t){"use strict";t.extend(!0,t.fancybox.defaults,{btnTpl:{share:''},share:{url:function(e,t){return!e.currentHash&&"inline"!==t.type&&"html"!==t.type&&(t.origSrc||t.src)||window.location},tpl:''}}),t(e).on("click","[data-fancybox-share]",(function(){var e,n,a,r,o=t.fancybox.getInstance(),i=o.current||null;i&&("function"===t.type(i.opts.share.url)&&(e=i.opts.share.url.apply(i,[o,i])),n=i.opts.share.tpl.replace(/\{\{media\}\}/g,"image"===i.type?encodeURIComponent(i.src):"").replace(/\{\{url\}\}/g,encodeURIComponent(e)).replace(/\{\{url_raw\}\}/g,(a=e,r={"&":"&","<":"<",">":">",'"':""","'":"'","/":"/","`":"`","=":"="},String(a).replace(/[&<>"'`=\/]/g,(function(e){return r[e]})))).replace(/\{\{descr\}\}/g,o.$caption?encodeURIComponent(o.$caption.text()):""),t.fancybox.open({src:o.translate(o,n),type:"html",opts:{touch:!1,animationEffect:!1,afterLoad:function(e,t){o.$refs.container.one("beforeClose.fb",(function(){e.close(null,0)})),t.$content.find(".fancybox-share__button").click((function(){return window.open(this.href,"Share","width=550, height=450"),!1}))},mobile:{autoFocus:!1}}}))}))}(document,a),function(e,t,n){"use strict";function a(){var t=e.location.hash.substr(1),n=t.split("-"),a=n.length>1&&/^\+?\d+$/.test(n[n.length-1])&&parseInt(n.pop(-1),10)||1;return{hash:t,index:a<1?1:a,gallery:n.join("-")}}function r(e){""!==e.gallery&&n("[data-fancybox='"+n.escapeSelector(e.gallery)+"']").eq(e.index-1).focus().trigger("click.fb-start")}function o(e){var t,n;return!!e&&(""!==(n=(t=e.current?e.current.opts:e.opts).hash||(t.$orig?t.$orig.data("fancybox")||t.$orig.data("fancybox-trigger"):""))&&n)}n.escapeSelector||(n.escapeSelector=function(e){return(e+"").replace(/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g,(function(e,t){return t?"\0"===e?"�":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e}))}),n((function(){!1!==n.fancybox.defaults.hash&&(n(t).on({"onInit.fb":function(e,t){var n,r;!1!==t.group[t.currIndex].opts.hash&&(n=a(),(r=o(t))&&n.gallery&&r==n.gallery&&(t.currIndex=n.index-1))},"beforeShow.fb":function(n,a,r,i){var s;r&&!1!==r.opts.hash&&(s=o(a))&&(a.currentHash=s+(a.group.length>1?"-"+(r.index+1):""),e.location.hash!=="#"+a.currentHash&&(i&&!a.origHash&&(a.origHash=e.location.hash),a.hashTimer&&clearTimeout(a.hashTimer),a.hashTimer=setTimeout((function(){"replaceState"in e.history?(e.history[i?"pushState":"replaceState"]({},t.title,e.location.pathname+e.location.search+"#"+a.currentHash),i&&(a.hasCreatedHistory=!0)):e.location.hash=a.currentHash,a.hashTimer=null}),300)))},"beforeClose.fb":function(n,a,r){r&&!1!==r.opts.hash&&(clearTimeout(a.hashTimer),a.currentHash&&a.hasCreatedHistory?e.history.back():a.currentHash&&("replaceState"in e.history?e.history.replaceState({},t.title,e.location.pathname+e.location.search+(a.origHash||"")):e.location.hash=a.origHash),a.currentHash=null)}}),n(e).on("hashchange.fb",(function(){var e=a(),t=null;n.each(n(".fancybox-container").get().reverse(),(function(e,a){var r=n(a).data("FancyBox");if(r&&r.currentHash)return t=r,!1})),t?t.currentHash===e.gallery+"-"+e.index||1===e.index&&t.currentHash==e.gallery||(t.currentHash=null,t.close()):""!==e.gallery&&r(e)})),setTimeout((function(){n.fancybox.getInstance()||r(a())}),50))}))}(window,document,a),function(e,t){"use strict";var n=(new Date).getTime();t(e).on({"onInit.fb":function(e,t,a){t.$refs.stage.on("mousewheel DOMMouseScroll wheel MozMousePixelScroll",(function(e){var a=t.current,r=(new Date).getTime();t.group.length<2||!1===a.opts.wheel||"auto"===a.opts.wheel&&"image"!==a.type||(e.preventDefault(),e.stopPropagation(),a.$slide.hasClass("fancybox-animated")||(e=e.originalEvent||e,r-n<250||(n=r,t[(-e.deltaY||-e.deltaX||e.wheelDelta||-e.detail)<0?"next":"previous"]())))}))}})}(document,a)},29655:(e,t,n)=>{"use strict";function a(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function r(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function o(e){for(var t=1;tm});var i=function(e,t){return e.matches?e.matches(t):e.msMatchesSelector?e.msMatchesSelector(t):e.webkitMatchesSelector?e.webkitMatchesSelector(t):null},s=function(e,t){return e.closest?e.closest(t):function(e,t){for(var n=e;n&&1===n.nodeType;){if(i(n,t))return n;n=n.parentNode}return null}(e,t)},l=function e(){var t,n=this,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},o=r.search,i=r.autoSelect,l=void 0!==i&&i,c=r.setValue,u=void 0===c?function(){}:c,d=r.setAttribute,h=void 0===d?function(){}:d,f=r.onUpdate,p=void 0===f?function(){}:f,m=r.onSubmit,v=void 0===m?function(){}:m,g=r.onShow,_=void 0===g?function(){}:g,b=r.autocorrect,y=void 0!==b&&b,I=r.onHide,M=void 0===I?function(){}:I,w=r.onLoading,B=void 0===w?function(){}:w,k=r.onLoaded,T=void 0===k?function(){}:k,P=r.submitOnEnter,E=void 0!==P&&P;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,e),a(this,"value",""),a(this,"searchCounter",0),a(this,"results",[]),a(this,"selectedIndex",-1),a(this,"selectedResult",null),a(this,"destroy",(function(){n.search=null,n.setValue=null,n.setAttribute=null,n.onUpdate=null,n.onSubmit=null,n.autocorrect=null,n.onShow=null,n.onHide=null,n.onLoading=null,n.onLoaded=null})),a(this,"handleInput",(function(e){var t=e.target.value;n.updateResults(t),n.value=t})),a(this,"handleKeyDown",(function(e){var t=e.key;switch(t){case"Up":case"Down":case"ArrowUp":case"ArrowDown":var a="ArrowUp"===t||"Up"===t?n.selectedIndex-1:n.selectedIndex+1;e.preventDefault(),n.handleArrows(a);break;case"Tab":n.selectResult();break;case"Enter":var r=e.target.getAttribute("aria-activedescendant").length>0;n.selectedResult=n.results[n.selectedIndex]||n.selectedResult,n.selectResult(),n.submitOnEnter?n.selectedResult&&n.onSubmit(n.selectedResult):r?e.preventDefault():(n.selectedResult&&n.onSubmit(n.selectedResult),n.selectedResult=null);break;case"Esc":case"Escape":n.hideResults(),n.setValue();break;default:return}})),a(this,"handleFocus",(function(e){var t=e.target.value;n.updateResults(t),n.value=t})),a(this,"handleBlur",(function(){n.hideResults()})),a(this,"handleResultMouseDown",(function(e){e.preventDefault()})),a(this,"handleResultClick",(function(e){var t=e.target,a=s(t,"[data-result-index]");if(a){n.selectedIndex=parseInt(a.dataset.resultIndex,10);var r=n.results[n.selectedIndex];n.selectResult(),n.onSubmit(r)}})),a(this,"handleArrows",(function(e){var t=n.results.length;n.selectedIndex=(e%t+t)%t,n.onUpdate(n.results,n.selectedIndex)})),a(this,"selectResult",(function(){var e=n.results[n.selectedIndex];e&&n.setValue(e),n.hideResults()})),a(this,"updateResults",(function(e){var t=++n.searchCounter;n.onLoading(),n.search(e).then((function(e){t===n.searchCounter&&(n.results=e,n.onLoaded(),0!==n.results.length?(n.selectedIndex=n.autoSelect?0:-1,n.onUpdate(n.results,n.selectedIndex),n.showResults()):n.hideResults())}))})),a(this,"showResults",(function(){n.setAttribute("aria-expanded",!0),n.onShow()})),a(this,"hideResults",(function(){n.selectedIndex=-1,n.results=[],n.setAttribute("aria-expanded",!1),n.setAttribute("aria-activedescendant",""),n.onUpdate(n.results,n.selectedIndex),n.onHide()})),a(this,"checkSelectedResultVisible",(function(e){var t=e.querySelector('[data-result-index="'.concat(n.selectedIndex,'"]'));if(t){var a=e.getBoundingClientRect(),r=t.getBoundingClientRect();r.topa.bottom&&(e.scrollTop+=r.bottom-a.bottom)}})),this.search=(t=o,Boolean(t&&"function"==typeof t.then)?o:function(e){return Promise.resolve(o(e))}),this.autoSelect=l,this.setValue=u,this.setAttribute=h,this.onUpdate=p,this.onSubmit=v,this.autocorrect=y,this.onShow=_,this.onHide=M,this.onLoading=B,this.onLoaded=T,this.submitOnEnter=E},c=0,u=function(){return"".concat(arguments.length>0&&void 0!==arguments[0]?arguments[0]:"").concat(++c)};const d=function(e,t,n,a,r,o,i,s,l,c){"boolean"!=typeof i&&(l=s,s=i,i=!1);const u="function"==typeof n?n.options:n;let d;if(e&&e.render&&(u.render=e.render,u.staticRenderFns=e.staticRenderFns,u._compiled=!0,r&&(u.functional=!0)),a&&(u._scopeId=a),o?(d=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__),t&&t.call(this,l(e)),e&&e._registeredComponents&&e._registeredComponents.add(o)},u._ssrRegister=d):t&&(d=i?function(e){t.call(this,c(e,this.$root.$options.shadowRoot))}:function(e){t.call(this,s(e))}),d)if(u.functional){const e=u.render;u.render=function(t,n){return d.call(n),e(t,n)}}else{const e=u.beforeCreate;u.beforeCreate=e?[].concat(e,d):[d]}return n}({render:function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{ref:"root"},[e._t("default",[n("div",e._b({},"div",e.rootProps,!1),[n("input",e._g(e._b({ref:"input",on:{input:e.handleInput,keydown:e.core.handleKeyDown,focus:e.core.handleFocus,blur:e.core.handleBlur}},"input",e.inputProps,!1),e.$listeners)),e._v(" "),n("ul",e._g(e._b({ref:"resultList"},"ul",e.resultListProps,!1),e.resultListListeners),[e._l(e.results,(function(t,a){return[e._t("result",[n("li",e._b({key:e.resultProps[a].id},"li",e.resultProps[a],!1),[e._v("\n "+e._s(e.getResultValue(t))+"\n ")])],{result:t,props:e.resultProps[a]})]}))],2)])],{rootProps:e.rootProps,inputProps:e.inputProps,inputListeners:e.inputListeners,resultListProps:e.resultListProps,resultListListeners:e.resultListListeners,results:e.results,resultProps:e.resultProps})],2)},staticRenderFns:[]},undefined,{name:"Autocomplete",inheritAttrs:!1,props:{search:{type:Function,required:!0},baseClass:{type:String,default:"autocomplete"},autoSelect:{type:Boolean,default:!1},getResultValue:{type:Function,default:function(e){return e}},defaultValue:{type:String,default:""},debounceTime:{type:Number,default:0},resultListLabel:{type:String,default:void 0},submitOnEnter:{type:Boolean,default:!1}},data:function(){var e,t,n,a,r=new l({search:this.search,autoSelect:this.autoSelect,setValue:this.setValue,onUpdate:this.handleUpdate,onSubmit:this.handleSubmit,onShow:this.handleShow,onHide:this.handleHide,onLoading:this.handleLoading,onLoaded:this.handleLoaded,submitOnEnter:this.submitOnEnter});return this.debounceTime>0&&(r.handleInput=(e=r.handleInput,t=this.debounceTime,function(){var r=this,o=arguments,i=n&&!a;clearTimeout(a),a=setTimeout((function(){a=null,n||e.apply(r,o)}),t),i&&e.apply(r,o)})),{core:r,value:this.defaultValue,resultListId:u("".concat(this.baseClass,"-result-list-")),results:[],selectedIndex:-1,expanded:!1,loading:!1,position:"below",resetPosition:!0}},computed:{rootProps:function(){return{class:this.baseClass,style:{position:"relative"},"data-expanded":this.expanded,"data-loading":this.loading,"data-position":this.position}},inputProps:function(){return o({class:"".concat(this.baseClass,"-input"),value:this.value,role:"combobox",autocomplete:"off",autocapitalize:"off",autocorrect:"off",spellcheck:"false","aria-autocomplete":"list","aria-haspopup":"listbox","aria-owns":this.resultListId,"aria-expanded":this.expanded?"true":"false","aria-activedescendant":this.selectedIndex>-1?this.resultProps[this.selectedIndex].id:""},this.$attrs)},inputListeners:function(){return{input:this.handleInput,keydown:this.core.handleKeyDown,focus:this.core.handleFocus,blur:this.core.handleBlur}},resultListProps:function(){var e,t="below"===this.position?"top":"bottom",n=function(e){if(null==e?void 0:e.length){var t=e.startsWith("#");return{attribute:t?"aria-labelledby":"aria-label",content:t?e.substring(1):e}}}(this.resultListLabel);return a(e={id:this.resultListId,class:"".concat(this.baseClass,"-result-list"),role:"listbox"},null==n?void 0:n.attribute,null==n?void 0:n.content),a(e,"style",a({position:"absolute",zIndex:1,width:"100%",visibility:this.expanded?"visible":"hidden",pointerEvents:this.expanded?"auto":"none"},t,"100%")),e},resultListListeners:function(){return{mousedown:this.core.handleResultMouseDown,click:this.core.handleResultClick}},resultProps:function(){var e=this;return this.results.map((function(t,n){return o({id:"".concat(e.baseClass,"-result-").concat(n),class:"".concat(e.baseClass,"-result"),"data-result-index":n,role:"option"},e.selectedIndex===n?{"aria-selected":"true"}:{})}))}},mounted:function(){document.body.addEventListener("click",this.handleDocumentClick)},beforeDestroy:function(){document.body.removeEventListener("click",this.handleDocumentClick)},updated:function(){var e,t,n,a;this.$refs.input&&this.$refs.resultList&&(this.resetPosition&&this.results.length>0&&(this.resetPosition=!1,this.position=(e=this.$refs.input,t=this.$refs.resultList,n=e.getBoundingClientRect(),a=t.getBoundingClientRect(),n.bottom+a.height>window.innerHeight&&window.innerHeight-n.bottom0?"above":"below")),this.core.checkSelectedResultVisible(this.$refs.resultList))},methods:{setValue:function(e){this.value=e?this.getResultValue(e):""},handleUpdate:function(e,t){this.results=e,this.selectedIndex=t,this.$emit("update",e,t)},handleShow:function(){this.expanded=!0},handleHide:function(){this.expanded=!1,this.resetPosition=!0},handleLoading:function(){this.loading=!0},handleLoaded:function(){this.loading=!1},handleInput:function(e){this.value=e.target.value,this.core.handleInput(e)},handleSubmit:function(e){this.$emit("submit",e)},handleDocumentClick:function(e){this.$refs.root.contains(e.target)||this.core.hideResults()}}},undefined,!1,undefined,!1,void 0,void 0,void 0);function h(e){h.installed||(h.installed=!0,e.component("Autocomplete",d))}var f,p={install:h};"undefined"!=typeof window?f=window.Vue:void 0!==n.g&&(f=n.g.Vue),f&&f.use(p),d.install=h;const m=d},9669:(e,t,n)=>{e.exports=n(51609)},55448:(e,t,n)=>{"use strict";var a=n(64867),r=n(36026),o=n(4372),i=n(15327),s=n(94097),l=n(84109),c=n(67985),u=n(85061);e.exports=function(e){return new Promise((function(t,n){var d=e.data,h=e.headers,f=e.responseType;a.isFormData(d)&&delete h["Content-Type"];var p=new XMLHttpRequest;if(e.auth){var m=e.auth.username||"",v=e.auth.password?unescape(encodeURIComponent(e.auth.password)):"";h.Authorization="Basic "+btoa(m+":"+v)}var g=s(e.baseURL,e.url);function _(){if(p){var a="getAllResponseHeaders"in p?l(p.getAllResponseHeaders()):null,o={data:f&&"text"!==f&&"json"!==f?p.response:p.responseText,status:p.status,statusText:p.statusText,headers:a,config:e,request:p};r(t,n,o),p=null}}if(p.open(e.method.toUpperCase(),i(g,e.params,e.paramsSerializer),!0),p.timeout=e.timeout,"onloadend"in p?p.onloadend=_:p.onreadystatechange=function(){p&&4===p.readyState&&(0!==p.status||p.responseURL&&0===p.responseURL.indexOf("file:"))&&setTimeout(_)},p.onabort=function(){p&&(n(u("Request aborted",e,"ECONNABORTED",p)),p=null)},p.onerror=function(){n(u("Network Error",e,null,p)),p=null},p.ontimeout=function(){var t="timeout of "+e.timeout+"ms exceeded";e.timeoutErrorMessage&&(t=e.timeoutErrorMessage),n(u(t,e,e.transitional&&e.transitional.clarifyTimeoutError?"ETIMEDOUT":"ECONNABORTED",p)),p=null},a.isStandardBrowserEnv()){var b=(e.withCredentials||c(g))&&e.xsrfCookieName?o.read(e.xsrfCookieName):void 0;b&&(h[e.xsrfHeaderName]=b)}"setRequestHeader"in p&&a.forEach(h,(function(e,t){void 0===d&&"content-type"===t.toLowerCase()?delete h[t]:p.setRequestHeader(t,e)})),a.isUndefined(e.withCredentials)||(p.withCredentials=!!e.withCredentials),f&&"json"!==f&&(p.responseType=e.responseType),"function"==typeof e.onDownloadProgress&&p.addEventListener("progress",e.onDownloadProgress),"function"==typeof e.onUploadProgress&&p.upload&&p.upload.addEventListener("progress",e.onUploadProgress),e.cancelToken&&e.cancelToken.promise.then((function(e){p&&(p.abort(),n(e),p=null)})),d||(d=null),p.send(d)}))}},51609:(e,t,n)=>{"use strict";var a=n(64867),r=n(91849),o=n(30321),i=n(47185);function s(e){var t=new o(e),n=r(o.prototype.request,t);return a.extend(n,o.prototype,t),a.extend(n,t),n}var l=s(n(45655));l.Axios=o,l.create=function(e){return s(i(l.defaults,e))},l.Cancel=n(65263),l.CancelToken=n(14972),l.isCancel=n(26502),l.all=function(e){return Promise.all(e)},l.spread=n(8713),l.isAxiosError=n(16268),e.exports=l,e.exports.default=l},65263:e=>{"use strict";function t(e){this.message=e}t.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},t.prototype.__CANCEL__=!0,e.exports=t},14972:(e,t,n)=>{"use strict";var a=n(65263);function r(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 a(e),t(n.reason))}))}r.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},r.source=function(){var e;return{token:new r((function(t){e=t})),cancel:e}},e.exports=r},26502:e=>{"use strict";e.exports=function(e){return!(!e||!e.__CANCEL__)}},30321:(e,t,n)=>{"use strict";var a=n(64867),r=n(15327),o=n(80782),i=n(13572),s=n(47185),l=n(54875),c=l.validators;function u(e){this.defaults=e,this.interceptors={request:new o,response:new o}}u.prototype.request=function(e){"string"==typeof e?(e=arguments[1]||{}).url=arguments[0]:e=e||{},(e=s(this.defaults,e)).method?e.method=e.method.toLowerCase():this.defaults.method?e.method=this.defaults.method.toLowerCase():e.method="get";var t=e.transitional;void 0!==t&&l.assertOptions(t,{silentJSONParsing:c.transitional(c.boolean,"1.0.0"),forcedJSONParsing:c.transitional(c.boolean,"1.0.0"),clarifyTimeoutError:c.transitional(c.boolean,"1.0.0")},!1);var n=[],a=!0;this.interceptors.request.forEach((function(t){"function"==typeof t.runWhen&&!1===t.runWhen(e)||(a=a&&t.synchronous,n.unshift(t.fulfilled,t.rejected))}));var r,o=[];if(this.interceptors.response.forEach((function(e){o.push(e.fulfilled,e.rejected)})),!a){var u=[i,void 0];for(Array.prototype.unshift.apply(u,n),u=u.concat(o),r=Promise.resolve(e);u.length;)r=r.then(u.shift(),u.shift());return r}for(var d=e;n.length;){var h=n.shift(),f=n.shift();try{d=h(d)}catch(e){f(e);break}}try{r=i(d)}catch(e){return Promise.reject(e)}for(;o.length;)r=r.then(o.shift(),o.shift());return r},u.prototype.getUri=function(e){return e=s(this.defaults,e),r(e.url,e.params,e.paramsSerializer).replace(/^\?/,"")},a.forEach(["delete","get","head","options"],(function(e){u.prototype[e]=function(t,n){return this.request(s(n||{},{method:e,url:t,data:(n||{}).data}))}})),a.forEach(["post","put","patch"],(function(e){u.prototype[e]=function(t,n,a){return this.request(s(a||{},{method:e,url:t,data:n}))}})),e.exports=u},80782:(e,t,n)=>{"use strict";var a=n(64867);function r(){this.handlers=[]}r.prototype.use=function(e,t,n){return this.handlers.push({fulfilled:e,rejected:t,synchronous:!!n&&n.synchronous,runWhen:n?n.runWhen:null}),this.handlers.length-1},r.prototype.eject=function(e){this.handlers[e]&&(this.handlers[e]=null)},r.prototype.forEach=function(e){a.forEach(this.handlers,(function(t){null!==t&&e(t)}))},e.exports=r},94097:(e,t,n)=>{"use strict";var a=n(91793),r=n(7303);e.exports=function(e,t){return e&&!a(t)?r(e,t):t}},85061:(e,t,n)=>{"use strict";var a=n(80481);e.exports=function(e,t,n,r,o){var i=new Error(e);return a(i,t,n,r,o)}},13572:(e,t,n)=>{"use strict";var a=n(64867),r=n(18527),o=n(26502),i=n(45655);function s(e){e.cancelToken&&e.cancelToken.throwIfRequested()}e.exports=function(e){return s(e),e.headers=e.headers||{},e.data=r.call(e,e.data,e.headers,e.transformRequest),e.headers=a.merge(e.headers.common||{},e.headers[e.method]||{},e.headers),a.forEach(["delete","get","head","post","put","patch","common"],(function(t){delete e.headers[t]})),(e.adapter||i.adapter)(e).then((function(t){return s(e),t.data=r.call(e,t.data,t.headers,e.transformResponse),t}),(function(t){return o(t)||(s(e),t&&t.response&&(t.response.data=r.call(e,t.response.data,t.response.headers,e.transformResponse))),Promise.reject(t)}))}},80481:e=>{"use strict";e.exports=function(e,t,n,a,r){return e.config=t,n&&(e.code=n),e.request=a,e.response=r,e.isAxiosError=!0,e.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},e}},47185:(e,t,n)=>{"use strict";var a=n(64867);e.exports=function(e,t){t=t||{};var n={},r=["url","method","data"],o=["headers","auth","proxy","params"],i=["baseURL","transformRequest","transformResponse","paramsSerializer","timeout","timeoutMessage","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","decompress","maxContentLength","maxBodyLength","maxRedirects","transport","httpAgent","httpsAgent","cancelToken","socketPath","responseEncoding"],s=["validateStatus"];function l(e,t){return a.isPlainObject(e)&&a.isPlainObject(t)?a.merge(e,t):a.isPlainObject(t)?a.merge({},t):a.isArray(t)?t.slice():t}function c(r){a.isUndefined(t[r])?a.isUndefined(e[r])||(n[r]=l(void 0,e[r])):n[r]=l(e[r],t[r])}a.forEach(r,(function(e){a.isUndefined(t[e])||(n[e]=l(void 0,t[e]))})),a.forEach(o,c),a.forEach(i,(function(r){a.isUndefined(t[r])?a.isUndefined(e[r])||(n[r]=l(void 0,e[r])):n[r]=l(void 0,t[r])})),a.forEach(s,(function(a){a in t?n[a]=l(e[a],t[a]):a in e&&(n[a]=l(void 0,e[a]))}));var u=r.concat(o).concat(i).concat(s),d=Object.keys(e).concat(Object.keys(t)).filter((function(e){return-1===u.indexOf(e)}));return a.forEach(d,c),n}},36026:(e,t,n)=>{"use strict";var a=n(85061);e.exports=function(e,t,n){var r=n.config.validateStatus;n.status&&r&&!r(n.status)?t(a("Request failed with status code "+n.status,n.config,null,n.request,n)):e(n)}},18527:(e,t,n)=>{"use strict";var a=n(64867),r=n(45655);e.exports=function(e,t,n){var o=this||r;return a.forEach(n,(function(n){e=n.call(o,e,t)})),e}},45655:(e,t,n)=>{"use strict";var a=n(34155),r=n(64867),o=n(16016),i=n(80481),s={"Content-Type":"application/x-www-form-urlencoded"};function l(e,t){!r.isUndefined(e)&&r.isUndefined(e["Content-Type"])&&(e["Content-Type"]=t)}var c,u={transitional:{silentJSONParsing:!0,forcedJSONParsing:!0,clarifyTimeoutError:!1},adapter:(("undefined"!=typeof XMLHttpRequest||void 0!==a&&"[object process]"===Object.prototype.toString.call(a))&&(c=n(55448)),c),transformRequest:[function(e,t){return o(t,"Accept"),o(t,"Content-Type"),r.isFormData(e)||r.isArrayBuffer(e)||r.isBuffer(e)||r.isStream(e)||r.isFile(e)||r.isBlob(e)?e:r.isArrayBufferView(e)?e.buffer:r.isURLSearchParams(e)?(l(t,"application/x-www-form-urlencoded;charset=utf-8"),e.toString()):r.isObject(e)||t&&"application/json"===t["Content-Type"]?(l(t,"application/json"),function(e,t,n){if(r.isString(e))try{return(t||JSON.parse)(e),r.trim(e)}catch(e){if("SyntaxError"!==e.name)throw e}return(n||JSON.stringify)(e)}(e)):e}],transformResponse:[function(e){var t=this.transitional,n=t&&t.silentJSONParsing,a=t&&t.forcedJSONParsing,o=!n&&"json"===this.responseType;if(o||a&&r.isString(e)&&e.length)try{return JSON.parse(e)}catch(e){if(o){if("SyntaxError"===e.name)throw i(e,this,"E_JSON_PARSE");throw e}}return e}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,maxBodyLength:-1,validateStatus:function(e){return e>=200&&e<300}};u.headers={common:{Accept:"application/json, text/plain, */*"}},r.forEach(["delete","get","head"],(function(e){u.headers[e]={}})),r.forEach(["post","put","patch"],(function(e){u.headers[e]=r.merge(s)})),e.exports=u},91849:e=>{"use strict";e.exports=function(e,t){return function(){for(var n=new Array(arguments.length),a=0;a{"use strict";var a=n(64867);function r(e){return encodeURIComponent(e).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 o;if(n)o=n(t);else if(a.isURLSearchParams(t))o=t.toString();else{var i=[];a.forEach(t,(function(e,t){null!=e&&(a.isArray(e)?t+="[]":e=[e],a.forEach(e,(function(e){a.isDate(e)?e=e.toISOString():a.isObject(e)&&(e=JSON.stringify(e)),i.push(r(t)+"="+r(e))})))})),o=i.join("&")}if(o){var s=e.indexOf("#");-1!==s&&(e=e.slice(0,s)),e+=(-1===e.indexOf("?")?"?":"&")+o}return e}},7303:e=>{"use strict";e.exports=function(e,t){return t?e.replace(/\/+$/,"")+"/"+t.replace(/^\/+/,""):e}},4372:(e,t,n)=>{"use strict";var a=n(64867);e.exports=a.isStandardBrowserEnv()?{write:function(e,t,n,r,o,i){var s=[];s.push(e+"="+encodeURIComponent(t)),a.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),a.isString(r)&&s.push("path="+r),a.isString(o)&&s.push("domain="+o),!0===i&&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(){}}},91793:e=>{"use strict";e.exports=function(e){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(e)}},16268:e=>{"use strict";e.exports=function(e){return"object"==typeof e&&!0===e.isAxiosError}},67985:(e,t,n)=>{"use strict";var a=n(64867);e.exports=a.isStandardBrowserEnv()?function(){var e,t=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function r(e){var a=e;return t&&(n.setAttribute("href",a),a=n.href),n.setAttribute("href",a),{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=r(window.location.href),function(t){var n=a.isString(t)?r(t):t;return n.protocol===e.protocol&&n.host===e.host}}():function(){return!0}},16016:(e,t,n)=>{"use strict";var a=n(64867);e.exports=function(e,t){a.forEach(e,(function(n,a){a!==t&&a.toUpperCase()===t.toUpperCase()&&(e[t]=n,delete e[a])}))}},84109:(e,t,n)=>{"use strict";var a=n(64867),r=["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,o,i={};return e?(a.forEach(e.split("\n"),(function(e){if(o=e.indexOf(":"),t=a.trim(e.substr(0,o)).toLowerCase(),n=a.trim(e.substr(o+1)),t){if(i[t]&&r.indexOf(t)>=0)return;i[t]="set-cookie"===t?(i[t]?i[t]:[]).concat([n]):i[t]?i[t]+", "+n:n}})),i):i}},8713:e=>{"use strict";e.exports=function(e){return function(t){return e.apply(null,t)}}},54875:(e,t,n)=>{"use strict";var a=n(88593),r={};["object","boolean","number","function","string","symbol"].forEach((function(e,t){r[e]=function(n){return typeof n===e||"a"+(t<1?"n ":" ")+e}}));var o={},i=a.version.split(".");function s(e,t){for(var n=t?t.split("."):i,a=e.split("."),r=0;r<3;r++){if(n[r]>a[r])return!0;if(n[r]0;){var o=a[r],i=t[o];if(i){var s=e[o],l=void 0===s||i(s,o,e);if(!0!==l)throw new TypeError("option "+o+" must be "+l)}else if(!0!==n)throw Error("Unknown option "+o)}},validators:r}},64867:(e,t,n)=>{"use strict";var a=n(91849),r=Object.prototype.toString;function o(e){return"[object Array]"===r.call(e)}function i(e){return void 0===e}function s(e){return null!==e&&"object"==typeof e}function l(e){if("[object Object]"!==r.call(e))return!1;var t=Object.getPrototypeOf(e);return null===t||t===Object.prototype}function c(e){return"[object Function]"===r.call(e)}function u(e,t){if(null!=e)if("object"!=typeof e&&(e=[e]),o(e))for(var n=0,a=e.length;n{"use strict";let a,r,o,i,s,l,c,u,d,h,f,p,m,v,g,_,b,y,I,M,w,B;n.r(t),n.d(t,{default:()=>V});const k=[];let T,P,E,x,O,S,A,L,C,z,D,F={};const R="appendChild",N="createElement",H="removeChild",V=e=>{var t;return r||function(e){let t,n;function a(e){const t=document[N]("button");return t.className=e,t.innerHTML='',t}function h(e,t){const n=document[N]("button");return n.className="bp-lr",n.innerHTML='',Q(n,t),n.onclick=t=>{t.stopPropagation(),j(e)},n}const p=document[N]("STYLE"),v=e&&e.overlayColor?e.overlayColor:"rgba(0,0,0,.7)";p.innerHTML=`#bp_caption,#bp_container{bottom:0;left:0;right:0;position:fixed;opacity:0}#bp_container>*,#bp_loader{position:absolute;right:0;z-index:10}#bp_container,#bp_caption,#bp_container svg{pointer-events:none}#bp_container{top:0;z-index:9999;background:${v};opacity:0;transition:opacity .35s}#bp_loader{top:0;left:0;bottom:0;display:flex;align-items:center;cursor:wait;background:0;z-index:9}#bp_loader svg{width:50%;max-width:300px;max-height:50%;margin:auto;animation:bpturn 1s infinite linear}#bp_aud,#bp_container img,#bp_sv,#bp_vid{user-select:none;max-height:96%;max-width:96%;top:0;bottom:0;left:0;margin:auto;box-shadow:0 0 3em rgba(0,0,0,.4);z-index:-1}#bp_sv{background:#111}#bp_sv svg{width:66px}#bp_caption{font-size:.9em;padding:1.3em;background:rgba(15,15,15,.94);color:#fff;text-align:center;transition:opacity .3s}#bp_aud{width:650px;top:calc(50% - 20px);bottom:auto;box-shadow:none}#bp_count{left:0;right:auto;padding:14px;color:rgba(255,255,255,.7);font-size:22px;cursor:default}#bp_container button{position:absolute;border:0;outline:0;background:0;cursor:pointer;transition:all .1s}#bp_container>.bp-x{padding:0;height:41px;width:41px;border-radius:100%;top:8px;right:14px;opacity:.8;line-height:1}#bp_container>.bp-x:focus,#bp_container>.bp-x:hover{background:rgba(255,255,255,.2)}.bp-x svg,.bp-xc svg{height:21px;width:20px;fill:#fff;vertical-align:top;}.bp-xc svg{width:16px}#bp_container .bp-xc{left:2%;bottom:100%;padding:9px 20px 7px;background:#d04444;border-radius:2px 2px 0 0;opacity:.85}#bp_container .bp-xc:focus,#bp_container .bp-xc:hover{opacity:1}.bp-lr{top:50%;top:calc(50% - 130px);padding:99px 0;width:6%;background:0;border:0;opacity:.4;transition:opacity .1s}.bp-lr:focus,.bp-lr:hover{opacity:.8}@keyframes bpf{50%{transform:translatex(15px)}100%{transform:none}}@keyframes bpl{50%{transform:translatex(-15px)}100%{transform:none}}@keyframes bpfl{0%{opacity:0;transform:translatex(70px)}100%{opacity:1;transform:none}}@keyframes bpfr{0%{opacity:0;transform:translatex(-70px)}100%{opacity:1;transform:none}}@keyframes bpfol{0%{opacity:1;transform:none}100%{opacity:0;transform:translatex(-70px)}}@keyframes bpfor{0%{opacity:1;transform:none}100%{opacity:0;transform:translatex(70px)}}@keyframes bpturn{0%{transform:none}100%{transform:rotate(360deg)}}@media (max-width:600px){.bp-lr{font-size:15vw}}`,document.head[R](p),o=document[N]("DIV"),o.id="bp_container",o.onclick=J,f=a("bp-x"),o[R](f),"ontouchend"in window&&window.visualViewport&&(z=!0,o.ontouchstart=({touches:e,changedTouches:a})=>{n=e.length>1,t=a[0].pageX},o.ontouchend=({changedTouches:e})=>{if(w&&!n&&window.visualViewport.scale<=1){let n=e[0].pageX-t;n<-30&&j(1),n>30&&j(-1)}});s=document[N]("IMG"),l=document[N]("VIDEO"),l.id="bp_vid",l.setAttribute("playsinline",!0),l.controls=!0,l.loop=!0,c=document[N]("audio"),c.id="bp_aud",c.controls=!0,c.loop=!0,C=document[N]("span"),C.id="bp_count",_=document[N]("DIV"),_.id="bp_caption",I=a("bp-xc"),I.onclick=q.bind(null,!1),_[R](I),b=document[N]("SPAN"),_[R](b),o[R](_),O=h(1,"transform:scalex(-1)"),S=h(-1,"left:0;right:auto"),g=document[N]("DIV"),g.id="bp_loader",g.innerHTML='',u=document[N]("DIV"),u.id="bp_sv",d=document[N]("IFRAME"),d.setAttribute("allowfullscreen",!0),d.allow="autoplay; fullscreen",d.onload=()=>u[H](g),Q(d,"border:0;position:absolute;height:100%;width:100%;left:0;top:0"),u[R](d),s.onload=K,s.onerror=K.bind(null,"image"),window.addEventListener("resize",(()=>{w||m&&G(!0),i===u&&$()})),document.addEventListener("keyup",(({keyCode:e})=>{27===e&&M&&J(),w&&(39===e&&j(1),37===e&&j(-1),38===e&&j(10),40===e&&j(-10))})),document.addEventListener("keydown",(e=>{w&&~[37,38,39,40].indexOf(e.keyCode)&&e.preventDefault()})),document.addEventListener("focus",(e=>{M&&!o.contains(e.target)&&(e.stopPropagation(),f.focus())}),!0),r=!0}(e),m&&(clearTimeout(v),Z()),D=e,p=e.ytSrc||e.vimeoSrc,P=e.animationStart,E=e.animationEnd,x=e.onChangeImage,a=e.el,T=!1,y=a.getAttribute("data-caption"),e.gallery?function(e,t){let n=D.galleryAttribute||"data-bp";if(Array.isArray(e))A=t||0,L=e,y=e[A].caption;else{L=[].slice.call("string"==typeof e?document.querySelectorAll(`${e} [${n}]`):e);const r=L.indexOf(a);A=0===t||t?t:-1!==r?r:0,L=L.map((e=>({el:e,src:e.getAttribute(n),caption:e.getAttribute("data-caption")})))}T=!0,h=L[A].src,!~k.indexOf(h)&&G(!0),L.length>1?(o[R](C),C.innerHTML=`${A+1}/${L.length}`,z||(o[R](O),o[R](S))):L=!1;i=s,i.src=h}(e.gallery,e.position):p||e.iframeSrc?(i=u,function(){let e;const t="https://",n="autoplay=1";D.ytSrc?e=`${t}www.youtube${D.ytNoCookie?"-nocookie":""}.com/embed/${p}?html5=1&rel=0&playsinline=1&${n}`:D.vimeoSrc?e=`${t}player.vimeo.com/video/${p}?${n}`:D.iframeSrc&&(e=D.iframeSrc);Q(g,""),u[R](g),d.src=e,$(),setTimeout(K,9)}()):e.imgSrc?(T=!0,h=e.imgSrc,!~k.indexOf(h)&&G(!0),i=s,i.src=h):e.audio?(G(!0),i=c,i.src=e.audio,W("audio file")):e.vidSrc?(G(!0),e.dimensions&&Q(l,`width:${e.dimensions[0]}px`),t=e.vidSrc,Array.isArray(t)?(i=l.cloneNode(),t.forEach((e=>{const t=document[N]("SOURCE");t.src=e,t.type=`video/${e.match(/.(\w+)$/)[1]}`,i[R](t)}))):(i=l,i.src=t),W("video")):(i=s,i.src="IMG"===a.tagName?a.src:window.getComputedStyle(a).backgroundImage.replace(/^url|[(|)|'|"]/g,"")),o[R](i),document.body[R](o),{close:J,opts:D,updateDimensions:$,display:i,next:()=>j(1),prev:()=>j(-1)}};function Y(){const{top:e,left:t,width:n,height:r}=a.getBoundingClientRect();return`transform:translate3D(${t-(o.clientWidth-n)/2}px, ${e-(o.clientHeight-r)/2}px, 0) scale3D(${a.clientWidth/i.clientWidth}, ${a.clientHeight/i.clientHeight}, 0)`}function j(e){const t=L.length-1;if(m)return;if(e>0&&A===t||e<0&&!A){if(!D.loop)return Q(s,""),void setTimeout(Q,9,s,`animation:${e>0?"bpl":"bpf"} .3s;transition:transform .35s`);A=e>0?-1:t+1}if(A=Math.max(0,Math.min(A+e,t)),[A-1,A,A+1].forEach((e=>{if(e=Math.max(0,Math.min(e,t)),F[e])return;const n=L[e].src,a=document[N]("IMG");a.addEventListener("load",X.bind(null,n)),a.src=n,F[e]=a})),F[A].complete)return U(e);m=!0,Q(g,"opacity:.4;"),o[R](g),F[A].onload=()=>{w&&U(e)},F[A].onerror=()=>{L[A]={error:"Error loading image"},w&&U(e)}}function U(e){m&&(o[H](g),m=!1);const t=L[A];if(t.error)alert(t.error);else{const n=o.querySelector("img:last-of-type");s=i=F[A],Q(s,`animation:${e>0?"bpfl":"bpfr"} .35s;transition:transform .35s`),Q(n,`animation:${e>0?"bpfol":"bpfor"} .35s both`),o[R](s),t.el&&(a=t.el)}C.innerHTML=`${A+1}/${L.length}`,q(L[A].caption),x&&x([s,L[A]])}function $(){let e,t;const n=.95*window.innerHeight,a=.95*window.innerWidth,r=n/a,[o,i]=D.dimensions||[1920,1080],s=i/o;s>r?(e=Math.min(i,n),t=e/s):(t=Math.min(o,a),e=t*s),u.style.cssText+=`width:${t}px;height:${e}px;`}function W(e){~[1,4].indexOf(i.readyState)?(K(),setTimeout((()=>{i.play()}),99)):i.error?K(e):v=setTimeout(W,35,e)}function G(e){D.noLoader||(e&&Q(g,`top:${a.offsetTop}px;left:${a.offsetLeft}px;height:${a.clientHeight}px;width:${a.clientWidth}px`),a.parentElement[e?R:H](g),m=e)}function q(e){e&&(b.innerHTML=e),Q(_,"opacity:"+(e?"1;pointer-events:auto":"0"))}function X(e){!~k.indexOf(e)&&k.push(e)}function K(e){if(m&&G(),P&&P(),"string"==typeof e)return Z(),D.onError?D.onError():alert(`Error: The requested ${e} could not be loaded.`);T&&X(h),i.style.cssText+=Y(),Q(o,"opacity:1;pointer-events:auto"),E&&(E=setTimeout(E,410)),M=!0,w=!!L,setTimeout((()=>{i.style.cssText+="transition:transform .35s;transform:none",y&&setTimeout(q,250,y)}),60)}function J(e){const t=e?e.target:o,n=[_,I,l,c,b,S,O,g];t.blur(),B||~n.indexOf(t)||(i.style.cssText+=Y(),Q(o,"pointer-events:auto"),setTimeout(Z,350),clearTimeout(E),M=!1,B=!0)}function Z(){if((i===u?d:i).removeAttribute("src"),document.body[H](o),o[H](i),Q(o,""),Q(i,""),q(!1),w){const e=o.querySelectorAll("img");for(let t=0;t{"use strict";n.r(t),n.d(t,{decode83:()=>r,encode83:()=>o});const a=["0","1","2","3","4","5","6","7","8","9","A","B","C","D","E","F","G","H","I","J","K","L","M","N","O","P","Q","R","S","T","U","V","W","X","Y","Z","a","b","c","d","e","f","g","h","i","j","k","l","m","n","o","p","q","r","s","t","u","v","w","x","y","z","#","$","%","*","+",",","-",".",":",";","=","?","@","[","]","^","_","{","|","}","~"],r=e=>{let t=0;for(let n=0;n{var n="";for(let r=1;r<=t;r++){let o=Math.floor(e)/Math.pow(83,t-r)%83;n+=a[Math.floor(o)]}return n}},19634:(e,t,n)=>{"use strict";n.r(t),n.d(t,{default:()=>u,isBlurhashValid:()=>s});var a=n(41557),r=n(53222),o=n(26126);const i=e=>{if(!e||e.length<6)throw new o.ValidationError("The blurhash string must be at least 6 characters");const t=(0,a.decode83)(e[0]),n=Math.floor(t/9)+1,r=t%9+1;if(e.length!==4+2*r*n)throw new o.ValidationError(`blurhash length mismatch: length is ${e.length} but it should be ${4+2*r*n}`)},s=e=>{try{i(e)}catch(e){return{result:!1,errorReason:e.message}}return{result:!0}},l=e=>{const t=e>>16,n=e>>8&255,a=255&e;return[(0,r.sRGBToLinear)(t),(0,r.sRGBToLinear)(n),(0,r.sRGBToLinear)(a)]},c=(e,t)=>{const n=Math.floor(e/361),a=Math.floor(e/19)%19,o=e%19;return[(0,r.signPow)((n-9)/9,2)*t,(0,r.signPow)((a-9)/9,2)*t,(0,r.signPow)((o-9)/9,2)*t]},u=(e,t,n,o)=>{i(e),o|=1;const s=(0,a.decode83)(e[0]),u=Math.floor(s/9)+1,d=s%9+1,h=((0,a.decode83)(e[1])+1)/166,f=new Array(d*u);for(let t=0;t{"use strict";n.r(t),n.d(t,{default:()=>s});var a=n(41557),r=n(53222),o=n(26126);const i=(e,t,n,a)=>{let o=0,i=0,s=0;const l=4*t;for(let c=0;c{if(s<1||s>9||l<1||l>9)throw new o.ValidationError("BlurHash must have between 1 and 9 components");if(t*n*4!==e.length)throw new o.ValidationError("Width and height must match the pixels array");let c=[];for(let a=0;ao*Math.cos(Math.PI*r*e/t)*Math.cos(Math.PI*a*i/n)));c.push(s)}const u=c[0],d=c.slice(1);let h,f="",p=s-1+9*(l-1);if(f+=(0,a.encode83)(p,1),d.length>0){let e=Math.max(...d.map((e=>Math.max(...e)))),t=Math.floor(Math.max(0,Math.min(82,Math.floor(166*e-.5))));h=(t+1)/166,f+=(0,a.encode83)(t,1)}else h=1,f+=(0,a.encode83)(0,1);var m;return f+=(0,a.encode83)((m=u,((0,r.linearTosRGB)(m[0])<<16)+((0,r.linearTosRGB)(m[1])<<8)+(0,r.linearTosRGB)(m[2])),4),d.forEach((e=>{f+=(0,a.encode83)(((e,t)=>19*Math.floor(Math.max(0,Math.min(18,Math.floor(9*(0,r.signPow)(e[0]/t,.5)+9.5))))*19+19*Math.floor(Math.max(0,Math.min(18,Math.floor(9*(0,r.signPow)(e[1]/t,.5)+9.5))))+Math.floor(Math.max(0,Math.min(18,Math.floor(9*(0,r.signPow)(e[2]/t,.5)+9.5)))))(e,h),2)})),f}},26126:(e,t,n)=>{"use strict";n.r(t),n.d(t,{ValidationError:()=>a});class a extends Error{constructor(e){super(e),this.name="ValidationError",this.message=e}}},43985:(e,t,n)=>{"use strict";n.r(t),n.d(t,{decode:()=>a.default,encode:()=>r.default,isBlurhashValid:()=>a.isBlurhashValid});var a=n(19634),r=n(5413),o=n(26126),i={};for(const e in o)["default","decode","isBlurhashValid","encode"].indexOf(e)<0&&(i[e]=()=>o[e]);n.d(t,i)},53222:(e,t,n)=>{"use strict";n.r(t),n.d(t,{linearTosRGB:()=>r,sRGBToLinear:()=>a,sign:()=>o,signPow:()=>i});const a=e=>{let t=e/255;return t<=.04045?t/12.92:Math.pow((t+.055)/1.055,2.4)},r=e=>{let t=Math.max(0,Math.min(1,e));return t<=.0031308?Math.round(12.92*t*255+.5):Math.round(255*(1.055*Math.pow(t,1/2.4)-.055)+.5)},o=e=>e<0?-1:1,i=(e,t)=>o(e)*Math.pow(Math.abs(e),t)},77354:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVConfigPlugin:()=>a});var a=(0,n(11638).pluginFactory)()},73106:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BAlert:()=>x,props:()=>E});var a,r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(18280),c=n(26410),u=n(33284),d=n(54602),h=n(93954),f=n(67040),p=n(20451),m=n(1915),v=n(91451),g=n(17100);function _(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function b(e){for(var t=1;t0?e:0},P=function(e){return""===e||!0===e||!((0,h.toInteger)(e,0)<1)&&!!e},E=(0,p.makePropsConfigurable)((0,f.sortKeys)(b(b({},w),{},{dismissLabel:(0,p.makeProp)(i.PROP_TYPE_STRING,"Close"),dismissible:(0,p.makeProp)(i.PROP_TYPE_BOOLEAN,!1),fade:(0,p.makeProp)(i.PROP_TYPE_BOOLEAN,!1),variant:(0,p.makeProp)(i.PROP_TYPE_STRING,"info")})),r.NAME_ALERT),x=(0,m.extend)({name:r.NAME_ALERT,mixins:[M,l.normalizeSlotMixin],props:E,data:function(){return{countDown:0,localShow:P(this[B])}},watch:(a={},y(a,B,(function(e){this.countDown=T(e),this.localShow=P(e)})),y(a,"countDown",(function(e){var t=this;this.clearCountDownInterval();var n=this[B];(0,u.isNumeric)(n)&&(this.$emit(o.EVENT_NAME_DISMISS_COUNT_DOWN,e),n!==e&&this.$emit(k,e),e>0?(this.localShow=!0,this.$_countDownTimeout=setTimeout((function(){t.countDown--}),1e3)):this.$nextTick((function(){(0,c.requestAF)((function(){t.localShow=!1}))})))})),y(a,"localShow",(function(e){var t=this[B];e||!this.dismissible&&!(0,u.isNumeric)(t)||this.$emit(o.EVENT_NAME_DISMISSED),(0,u.isNumeric)(t)||t===e||this.$emit(k,e)})),a),created:function(){this.$_filterTimer=null;var e=this[B];this.countDown=T(e),this.localShow=P(e)},beforeDestroy:function(){this.clearCountDownInterval()},methods:{dismiss:function(){this.clearCountDownInterval(),this.countDown=0,this.localShow=!1},clearCountDownInterval:function(){clearTimeout(this.$_countDownTimeout),this.$_countDownTimeout=null}},render:function(e){var t=e();if(this.localShow){var n=this.dismissible,a=this.variant,r=e();n&&(r=e(v.BButtonClose,{attrs:{"aria-label":this.dismissLabel},on:{click:this.dismiss}},[this.normalizeSlot(s.SLOT_NAME_DISMISS)])),t=e("div",{staticClass:"alert",class:y({"alert-dismissible":n},"alert-".concat(a),a),attrs:{role:"alert","aria-live":"polite","aria-atomic":!0},key:this[m.COMPONENT_UID_KEY]},[r,this.normalizeSlot()])}return e(g.BVTransition,{props:{noFade:!this.fade}},[t])}})},45279:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AlertPlugin:()=>r,BAlert:()=>a.BAlert});var a=n(73106),r=(0,n(11638).pluginFactory)({components:{BAlert:a.BAlert}})},98688:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BAspect:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(30824),s=n(21578),l=n(93954),c=n(20451),u=n(18280);function d(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null==n)return;var a,r,o=[],i=!0,s=!1;try{for(n=n.call(e);!(i=(a=n.next()).done)&&(o.push(a.value),!t||o.length!==t);i=!0);}catch(e){s=!0,r=e}finally{try{i||null==n.return||n.return()}finally{if(s)throw r}}return o}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return h(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return h(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function h(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n{"use strict";n.r(t),n.d(t,{AspectPlugin:()=>r,BAspect:()=>a.BAspect});var a=n(98688),r=(0,n(11638).pluginFactory)({components:{BAspect:a.BAspect}})},74829:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BAvatarGroup:()=>h,props:()=>d});var a=n(94689),r=n(12299),o=n(18280),i=n(21578),s=n(93954),l=n(20451),c=n(1915),u=n(47389),d=(0,l.makePropsConfigurable)({overlap:(0,l.makeProp)(r.PROP_TYPE_NUMBER_STRING,.3),rounded:(0,l.makeProp)(r.PROP_TYPE_BOOLEAN_STRING,!1),size:(0,l.makeProp)(r.PROP_TYPE_STRING),square:(0,l.makeProp)(r.PROP_TYPE_BOOLEAN,!1),tag:(0,l.makeProp)(r.PROP_TYPE_STRING,"div"),variant:(0,l.makeProp)(r.PROP_TYPE_STRING)},a.NAME_AVATAR_GROUP),h=(0,c.extend)({name:a.NAME_AVATAR_GROUP,mixins:[o.normalizeSlotMixin],provide:function(){var e=this;return{getBvAvatarGroup:function(){return e}}},props:d,computed:{computedSize:function(){return(0,u.computeSize)(this.size)},overlapScale:function(){return(0,i.mathMin)((0,i.mathMax)((0,s.toFloat)(this.overlap,0),0),1)/2},paddingStyle:function(){var e=this.computedSize;return(e=e?"calc(".concat(e," * ").concat(this.overlapScale,")"):null)?{paddingLeft:e,paddingRight:e}:{}}},render:function(e){var t=e("div",{staticClass:"b-avatar-group-inner",style:this.paddingStyle},this.normalizeSlot());return e(this.tag,{staticClass:"b-avatar-group",attrs:{role:"group"}},[t])}})},47389:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BAvatar:()=>T,computeSize:()=>w,props:()=>k});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(33284),c=n(93954),u=n(67040),d=n(20451),h=n(30488),f=n(18280),p=n(43022),m=n(7543),v=n(15193),g=n(67347);function _(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function b(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{AvatarPlugin:()=>o,BAvatar:()=>a.BAvatar,BAvatarGroup:()=>r.BAvatarGroup});var a=n(47389),r=n(74829),o=(0,n(11638).pluginFactory)({components:{BAvatar:a.BAvatar,BAvatarGroup:r.BAvatarGroup}})},26034:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BBadge:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(30488),c=n(67347);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BBadge:()=>a.BBadge,BadgePlugin:()=>r});var a=n(26034),r=(0,n(11638).pluginFactory)({components:{BBadge:a.BBadge}})},90854:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BBreadcrumbItem:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(20451),i=n(89595),s=(0,o.makePropsConfigurable)(i.props,r.NAME_BREADCRUMB_ITEM),l=(0,a.extend)({name:r.NAME_BREADCRUMB_ITEM,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e("li",(0,a.mergeData)(r,{staticClass:"breadcrumb-item",class:{active:n.active}}),[e(i.BBreadcrumbLink,{props:n},o)])}})},89595:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BBreadcrumbLink:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(18735),s=n(67040),l=n(20451),c=n(67347);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BBreadcrumb:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(33284),s=n(20451),l=n(46595),c=n(90854);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BBreadcrumb:()=>a.BBreadcrumb,BBreadcrumbItem:()=>r.BBreadcrumbItem,BBreadcrumbLink:()=>o.BBreadcrumbLink,BreadcrumbPlugin:()=>i});var a=n(74825),r=n(90854),o=n(89595),i=(0,n(11638).pluginFactory)({components:{BBreadcrumb:a.BBreadcrumb,BBreadcrumbItem:r.BBreadcrumbItem,BBreadcrumbLink:o.BBreadcrumbLink}})},45969:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BButtonGroup:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(15193);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BButtonGroup:()=>a.BButtonGroup,ButtonGroupPlugin:()=>r});var a=n(45969),r=(0,n(11638).pluginFactory)({components:{BButtonGroup:a.BButtonGroup,BBtnGroup:a.BButtonGroup}})},41984:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BButtonToolbar:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(63663),s=n(26410),l=n(28415),c=n(20451),u=n(18280),d=[".btn:not(.disabled):not([disabled]):not(.dropdown-item)",".form-control:not(.disabled):not([disabled])","select:not(.disabled):not([disabled])",'input[type="checkbox"]:not(.disabled)','input[type="radio"]:not(.disabled)'].join(","),h=(0,c.makePropsConfigurable)({justify:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),keyNav:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_BUTTON_TOOLBAR),f=(0,a.extend)({name:r.NAME_BUTTON_TOOLBAR,mixins:[u.normalizeSlotMixin],props:h,mounted:function(){this.keyNav&&this.getItems()},methods:{getItems:function(){var e=(0,s.selectAll)(d,this.$el);return e.forEach((function(e){e.tabIndex=-1})),e.filter((function(e){return(0,s.isVisible)(e)}))},focusFirst:function(){var e=this.getItems();(0,s.attemptFocus)(e[0])},focusPrev:function(e){var t=this.getItems(),n=t.indexOf(e.target);n>-1&&(t=t.slice(0,n).reverse(),(0,s.attemptFocus)(t[0]))},focusNext:function(e){var t=this.getItems(),n=t.indexOf(e.target);n>-1&&(t=t.slice(n+1),(0,s.attemptFocus)(t[0]))},focusLast:function(){var e=this.getItems().reverse();(0,s.attemptFocus)(e[0])},onFocusin:function(e){var t=this.$el;e.target!==t||(0,s.contains)(t,e.relatedTarget)||((0,l.stopEvent)(e),this.focusFirst(e))},onKeydown:function(e){var t=e.keyCode,n=e.shiftKey;t===i.CODE_UP||t===i.CODE_LEFT?((0,l.stopEvent)(e),n?this.focusFirst(e):this.focusPrev(e)):t!==i.CODE_DOWN&&t!==i.CODE_RIGHT||((0,l.stopEvent)(e),n?this.focusLast(e):this.focusNext(e))}},render:function(e){var t=this.keyNav;return e("div",{staticClass:"btn-toolbar",class:{"justify-content-between":this.justify},attrs:{role:"toolbar",tabindex:t?"0":null},on:t?{focusin:this.onFocusin,keydown:this.onKeydown}:{}},[this.normalizeSlot()])}})},23059:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BButtonToolbar:()=>a.BButtonToolbar,ButtonToolbarPlugin:()=>r});var a=n(41984),r=(0,n(11638).pluginFactory)({components:{BButtonToolbar:a.BButtonToolbar,BBtnToolbar:a.BButtonToolbar}})},91451:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BButtonClose:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(28415),l=n(33284),c=n(20451),u=n(72345);var d=(0,c.makePropsConfigurable)({ariaLabel:(0,c.makeProp)(o.PROP_TYPE_STRING,"Close"),content:(0,c.makeProp)(o.PROP_TYPE_STRING,"×"),disabled:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),textVariant:(0,c.makeProp)(o.PROP_TYPE_STRING)},r.NAME_BUTTON_CLOSE),h=(0,a.extend)({name:r.NAME_BUTTON_CLOSE,functional:!0,props:d,render:function(e,t){var n,r,o,c=t.props,d=t.data,h=t.slots,f=t.scopedSlots,p=h(),m=f||{},v={staticClass:"close",class:(n={},r="text-".concat(c.textVariant),o=c.textVariant,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n),attrs:{type:"button",disabled:c.disabled,"aria-label":c.ariaLabel?String(c.ariaLabel):null},on:{click:function(e){c.disabled&&(0,l.isEvent)(e)&&(0,s.stopEvent)(e)}}};return(0,u.hasNormalizedSlot)(i.SLOT_NAME_DEFAULT,m,p)||(v.domProps={innerHTML:c.content}),e("button",(0,a.mergeData)(d,v),(0,u.normalizeSlot)(i.SLOT_NAME_DEFAULT,{},m,p))}})},15193:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BButton:()=>E,props:()=>b});var a=n(1915),r=n(94689),o=n(63663),i=n(12299),s=n(11572),l=n(26410),c=n(28415),u=n(33284),d=n(67040),h=n(20451),f=n(30488),p=n(67347);function m(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function v(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BButton:()=>a.BButton,BButtonClose:()=>r.BButtonClose,ButtonPlugin:()=>o});var a=n(15193),r=n(91451),o=(0,n(11638).pluginFactory)({components:{BButton:a.BButton,BBtn:a.BButton,BButtonClose:r.BButtonClose,BBtnClose:r.BButtonClose}})},67065:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCalendar:()=>R,props:()=>F});var a,r=n(1915),o=n(94689),i=n(18413),s=n(63294),l=n(63663),c=n(12299),u=n(90494),d=n(11572),h=n(68001),f=n(26410),p=n(28415),m=n(68265),v=n(33284),g=n(9439),_=n(3058),b=n(21578),y=n(54602),I=n(93954),M=n(67040),w=n(20451),B=n(46595),k=n(28492),T=n(73727),P=n(18280),E=n(7543);function x(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function O(e){for(var t=1;tt}},dateDisabled:function(){var e=this,t=this.dateOutOfRange;return function(n){n=(0,h.parseYMD)(n);var a=(0,h.formatYMD)(n);return!(!t(n)&&!e.computedDateDisabledFn(a,n))}},formatDateString:function(){return(0,h.createDateFormatter)(this.calendarLocale,O(O({year:i.DATE_FORMAT_NUMERIC,month:i.DATE_FORMAT_2_DIGIT,day:i.DATE_FORMAT_2_DIGIT},this.dateFormatOptions),{},{hour:void 0,minute:void 0,second:void 0,calendar:i.CALENDAR_GREGORY}))},formatYearMonth:function(){return(0,h.createDateFormatter)(this.calendarLocale,{year:i.DATE_FORMAT_NUMERIC,month:i.CALENDAR_LONG,calendar:i.CALENDAR_GREGORY})},formatWeekdayName:function(){return(0,h.createDateFormatter)(this.calendarLocale,{weekday:i.CALENDAR_LONG,calendar:i.CALENDAR_GREGORY})},formatWeekdayNameShort:function(){return(0,h.createDateFormatter)(this.calendarLocale,{weekday:this.weekdayHeaderFormat||i.CALENDAR_SHORT,calendar:i.CALENDAR_GREGORY})},formatDay:function(){var e=new Intl.NumberFormat([this.computedLocale],{style:"decimal",minimumIntegerDigits:1,minimumFractionDigits:0,maximumFractionDigits:0,notation:"standard"});return function(t){return e.format(t.getDate())}},prevDecadeDisabled:function(){var e=this.computedMin;return this.disabled||e&&(0,h.lastDateOfMonth)((0,h.oneDecadeAgo)(this.activeDate))e},nextYearDisabled:function(){var e=this.computedMax;return this.disabled||e&&(0,h.firstDateOfMonth)((0,h.oneYearAhead)(this.activeDate))>e},nextDecadeDisabled:function(){var e=this.computedMax;return this.disabled||e&&(0,h.firstDateOfMonth)((0,h.oneDecadeAhead)(this.activeDate))>e},calendar:function(){for(var e=[],t=this.calendarFirstDay,n=t.getFullYear(),a=t.getMonth(),r=this.calendarDaysInMonth,o=t.getDay(),i=0-((this.computedWeekStarts>o?7:0)-this.computedWeekStarts)-o,s=0;s<6&&i{"use strict";n.r(t),n.d(t,{BCalendar:()=>a.BCalendar,CalendarPlugin:()=>r});var a=n(67065),r=(0,n(11638).pluginFactory)({components:{BCalendar:a.BCalendar}})},19279:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCardBody:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(38881),c=n(49379),u=n(49034);function d(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function h(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCardFooter:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(18735),s=n(67040),l=n(20451),c=n(38881);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCardGroup:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({columns:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),deck:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_CARD_GROUP),l=(0,a.extend)({name:r.NAME_CARD_GROUP,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.tag,(0,a.mergeData)(r,{class:n.deck?"card-deck":n.columns?"card-columns":"card-group"}),o)}})},87047:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCardHeader:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(18735),s=n(67040),l=n(20451),c=n(38881);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCardImgLazy:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(98156),l=n(78130),c=n(13481);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCardImg:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(98156);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCardSubTitle:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(46595),l=(0,i.makePropsConfigurable)({subTitle:(0,i.makeProp)(o.PROP_TYPE_STRING),subTitleTag:(0,i.makeProp)(o.PROP_TYPE_STRING,"h6"),subTitleTextVariant:(0,i.makeProp)(o.PROP_TYPE_STRING,"muted")},r.NAME_CARD_SUB_TITLE),c=(0,a.extend)({name:r.NAME_CARD_SUB_TITLE,functional:!0,props:l,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.subTitleTag,(0,a.mergeData)(r,{staticClass:"card-subtitle",class:[n.subTitleTextVariant?"text-".concat(n.subTitleTextVariant):null]}),o||(0,s.toString)(n.subTitle))}})},64206:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCardText:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({textTag:(0,i.makeProp)(o.PROP_TYPE_STRING,"p")},r.NAME_CARD_TEXT),l=(0,a.extend)({name:r.NAME_CARD_TEXT,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.textTag,(0,a.mergeData)(r,{staticClass:"card-text"}),o)}})},49379:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCardTitle:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(46595),l=(0,i.makePropsConfigurable)({title:(0,i.makeProp)(o.PROP_TYPE_STRING),titleTag:(0,i.makeProp)(o.PROP_TYPE_STRING,"h4")},r.NAME_CARD_TITLE),c=(0,a.extend)({name:r.NAME_CARD_TITLE,functional:!0,props:l,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.titleTag,(0,a.mergeData)(r,{staticClass:"card-title"}),o||(0,s.toString)(n.title))}})},86855:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCard:()=>I,props:()=>y});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(18735),l=n(72345),c=n(67040),u=n(20451),d=n(38881),h=n(19279),f=n(87047),p=n(37674),m=n(13481);function v(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function g(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCard:()=>a.BCard,BCardBody:()=>o.BCardBody,BCardFooter:()=>l.BCardFooter,BCardGroup:()=>h.BCardGroup,BCardHeader:()=>r.BCardHeader,BCardImg:()=>c.BCardImg,BCardImgLazy:()=>u.BCardImgLazy,BCardSubTitle:()=>s.BCardSubTitle,BCardText:()=>d.BCardText,BCardTitle:()=>i.BCardTitle,CardPlugin:()=>f});var a=n(86855),r=n(87047),o=n(19279),i=n(49379),s=n(49034),l=n(37674),c=n(13481),u=n(19546),d=n(64206),h=n(97794),f=(0,n(11638).pluginFactory)({components:{BCard:a.BCard,BCardHeader:r.BCardHeader,BCardBody:o.BCardBody,BCardTitle:i.BCardTitle,BCardSubTitle:s.BCardSubTitle,BCardFooter:l.BCardFooter,BCardImg:c.BCardImg,BCardImgLazy:u.BCardImgLazy,BCardText:d.BCardText,BCardGroup:h.BCardGroup}})},25835:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCarouselSlide:()=>I,props:()=>y});var a=n(1915),r=n(94689),o=n(43935),i=n(12299),s=n(90494),l=n(28415),c=n(18735),u=n(68265),d=n(67040),h=n(20451),f=n(73727),p=n(18280),m=n(98156);function v(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function g(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BCarousel:()=>C,props:()=>L});var a,r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(63663),c=n(12299),u=n(26410),d=n(28415),h=n(33284),f=n(21578),p=n(54602),m=n(93954),v=n(84941),g=n(67040),_=n(63078),b=n(20451),y=n(73727),I=n(18280);function M(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function w(e){for(var t=1;t0),touchStartX:0,touchDeltaX:0}},computed:{numSlides:function(){return this.slides.length}},watch:(a={},B(a,E,(function(e,t){e!==t&&this.setSlide((0,m.toInteger)(e,0))})),B(a,"interval",(function(e,t){e!==t&&(e?(this.pause(!0),this.start(!1)):this.pause(!1))})),B(a,"isPaused",(function(e,t){e!==t&&this.$emit(e?s.EVENT_NAME_PAUSED:s.EVENT_NAME_UNPAUSED)})),B(a,"index",(function(e,t){e===t||this.isSliding||this.doSlide(e,t)})),a),created:function(){this.$_interval=null,this.$_animationTimeout=null,this.$_touchTimeout=null,this.$_observer=null,this.isPaused=!((0,m.toInteger)(this.interval,0)>0)},mounted:function(){this.transitionEndEvent=function(e){for(var t in A)if(!(0,h.isUndefined)(e.style[t]))return A[t];return null}(this.$el)||null,this.updateSlides(),this.setObserver(!0)},beforeDestroy:function(){this.clearInterval(),this.clearAnimationTimeout(),this.clearTouchTimeout(),this.setObserver(!1)},methods:{clearInterval:function(e){function t(){return e.apply(this,arguments)}return t.toString=function(){return e.toString()},t}((function(){clearInterval(this.$_interval),this.$_interval=null})),clearAnimationTimeout:function(){clearTimeout(this.$_animationTimeout),this.$_animationTimeout=null},clearTouchTimeout:function(){clearTimeout(this.$_touchTimeout),this.$_touchTimeout=null},setObserver:function(){var e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];this.$_observer&&this.$_observer.disconnect(),this.$_observer=null,e&&(this.$_observer=(0,_.observeDom)(this.$refs.inner,this.updateSlides.bind(this),{subtree:!1,childList:!0,attributes:!0,attributeFilter:["id"]}))},setSlide:function(e){var t=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;if(!(i.IS_BROWSER&&document.visibilityState&&document.hidden)){var a=this.noWrap,r=this.numSlides;e=(0,f.mathFloor)(e),0!==r&&(this.isSliding?this.$once(s.EVENT_NAME_SLIDING_END,(function(){(0,u.requestAF)((function(){return t.setSlide(e,n)}))})):(this.direction=n,this.index=e>=r?a?r-1:0:e<0?a?0:r-1:e,a&&this.index!==e&&this.index!==this[E]&&this.$emit(x,this.index)))}},prev:function(){this.setSlide(this.index-1,"prev")},next:function(){this.setSlide(this.index+1,"next")},pause:function(e){e||(this.isPaused=!0),this.clearInterval()},start:function(e){e||(this.isPaused=!1),this.clearInterval(),this.interval&&this.numSlides>1&&(this.$_interval=setInterval(this.next,(0,f.mathMax)(1e3,this.interval)))},restart:function(){this.$el.contains((0,u.getActiveElement)())||this.start()},doSlide:function(e,t){var n=this,a=Boolean(this.interval),r=this.calcDirection(this.direction,t,e),o=r.overlayClass,i=r.dirClass,l=this.slides[t],c=this.slides[e];if(l&&c){if(this.isSliding=!0,a&&this.pause(!1),this.$emit(s.EVENT_NAME_SLIDING_START,e),this.$emit(x,this.index),this.noAnimation)(0,u.addClass)(c,"active"),(0,u.removeClass)(l,"active"),this.isSliding=!1,this.$nextTick((function(){return n.$emit(s.EVENT_NAME_SLIDING_END,e)}));else{(0,u.addClass)(c,o),(0,u.reflow)(c),(0,u.addClass)(l,i),(0,u.addClass)(c,i);var h=!1,f=function t(){if(!h){if(h=!0,n.transitionEndEvent)n.transitionEndEvent.split(/\s+/).forEach((function(e){return(0,d.eventOff)(c,e,t,s.EVENT_OPTIONS_NO_CAPTURE)}));n.clearAnimationTimeout(),(0,u.removeClass)(c,i),(0,u.removeClass)(c,o),(0,u.addClass)(c,"active"),(0,u.removeClass)(l,"active"),(0,u.removeClass)(l,i),(0,u.removeClass)(l,o),(0,u.setAttr)(l,"aria-current","false"),(0,u.setAttr)(c,"aria-current","true"),(0,u.setAttr)(l,"aria-hidden","true"),(0,u.setAttr)(c,"aria-hidden","false"),n.isSliding=!1,n.direction=null,n.$nextTick((function(){return n.$emit(s.EVENT_NAME_SLIDING_END,e)}))}};if(this.transitionEndEvent)this.transitionEndEvent.split(/\s+/).forEach((function(e){return(0,d.eventOn)(c,e,f,s.EVENT_OPTIONS_NO_CAPTURE)}));this.$_animationTimeout=setTimeout(f,650)}a&&this.start(!1)}},updateSlides:function(){this.pause(!0),this.slides=(0,u.selectAll)(".carousel-item",this.$refs.inner);var e=this.slides.length,t=(0,f.mathMax)(0,(0,f.mathMin)((0,f.mathFloor)(this.index),e-1));this.slides.forEach((function(n,a){var r=a+1;a===t?((0,u.addClass)(n,"active"),(0,u.setAttr)(n,"aria-current","true")):((0,u.removeClass)(n,"active"),(0,u.setAttr)(n,"aria-current","false")),(0,u.setAttr)(n,"aria-posinset",String(r)),(0,u.setAttr)(n,"aria-setsize",String(e))})),this.setSlide(t),this.start(this.isPaused)},calcDirection:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;return e?O[e]:(arguments.length>2&&void 0!==arguments[2]?arguments[2]:0)>(arguments.length>1&&void 0!==arguments[1]?arguments[1]:0)?O.next:O.prev},handleClick:function(e,t){var n=e.keyCode;"click"!==e.type&&n!==l.CODE_SPACE&&n!==l.CODE_ENTER||((0,d.stopEvent)(e),t())},handleSwipe:function(){var e=(0,f.mathAbs)(this.touchDeltaX);if(!(e<=40)){var t=e/this.touchDeltaX;this.touchDeltaX=0,t>0?this.prev():t<0&&this.next()}},touchStart:function(e){i.HAS_POINTER_EVENT_SUPPORT&&S[e.pointerType.toUpperCase()]?this.touchStartX=e.clientX:i.HAS_POINTER_EVENT_SUPPORT||(this.touchStartX=e.touches[0].clientX)},touchMove:function(e){e.touches&&e.touches.length>1?this.touchDeltaX=0:this.touchDeltaX=e.touches[0].clientX-this.touchStartX},touchEnd:function(e){i.HAS_POINTER_EVENT_SUPPORT&&S[e.pointerType.toUpperCase()]&&(this.touchDeltaX=e.clientX-this.touchStartX),this.handleSwipe(),this.pause(!1),this.clearTouchTimeout(),this.$_touchTimeout=setTimeout(this.start,500+(0,f.mathMax)(1e3,this.interval))}},render:function(e){var t=this,n=this.indicators,a=this.background,r=this.noAnimation,o=this.noHoverPause,s=this.noTouch,c=this.index,u=this.isSliding,h=this.pause,f=this.restart,p=this.touchStart,m=this.touchEnd,g=this.safeId("__BV_inner_"),_=e("div",{staticClass:"carousel-inner",attrs:{id:g,role:"list"},ref:"inner"},[this.normalizeSlot()]),b=e();if(this.controls){var y=function(n,a,r){var o=function(e){u?(0,d.stopEvent)(e,{propagation:!1}):t.handleClick(e,r)};return e("a",{staticClass:"carousel-control-".concat(n),attrs:{href:"#",role:"button","aria-controls":g,"aria-disabled":u?"true":null},on:{click:o,keydown:o}},[e("span",{staticClass:"carousel-control-".concat(n,"-icon"),attrs:{"aria-hidden":"true"}}),e("span",{class:"sr-only"},[a])])};b=[y("prev",this.labelPrev,this.prev),y("next",this.labelNext,this.next)]}var I=e("ol",{staticClass:"carousel-indicators",directives:[{name:"show",value:n}],attrs:{id:this.safeId("__BV_indicators_"),"aria-hidden":n?"false":"true","aria-label":this.labelIndicators,"aria-owns":g}},this.slides.map((function(a,r){var o=function(e){t.handleClick(e,(function(){t.setSlide(r)}))};return e("li",{class:{active:r===c},attrs:{role:"button",id:t.safeId("__BV_indicator_".concat(r+1,"_")),tabindex:n?"0":"-1","aria-current":r===c?"true":"false","aria-label":"".concat(t.labelGotoSlide," ").concat(r+1),"aria-describedby":a.id||null,"aria-controls":g},on:{click:o,keydown:o},key:"slide_".concat(r)})}))),M={mouseenter:o?v.noop:h,mouseleave:o?v.noop:f,focusin:h,focusout:f,keydown:function(e){if(!/input|textarea/i.test(e.target.tagName)){var n=e.keyCode;n!==l.CODE_LEFT&&n!==l.CODE_RIGHT||((0,d.stopEvent)(e),t[n===l.CODE_LEFT?"prev":"next"]())}}};return i.HAS_TOUCH_SUPPORT&&!s&&(i.HAS_POINTER_EVENT_SUPPORT?(M["&pointerdown"]=p,M["&pointerup"]=m):(M["&touchstart"]=p,M["&touchmove"]=this.touchMove,M["&touchend"]=m)),e("div",{staticClass:"carousel",class:{slide:!r,"carousel-fade":!r&&this.fade,"pointer-event":i.HAS_TOUCH_SUPPORT&&i.HAS_POINTER_EVENT_SUPPORT&&!s},style:{background:a},attrs:{role:"region",id:this.safeId(),"aria-busy":u?"true":"false"},on:M},[_,b,I])}})},68512:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCarousel:()=>a.BCarousel,BCarouselSlide:()=>r.BCarouselSlide,CarouselPlugin:()=>o});var a=n(37072),r=n(25835),o=(0,n(11638).pluginFactory)({components:{BCarousel:a.BCarousel,BCarouselSlide:r.BCarouselSlide}})},68283:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCollapse:()=>C,props:()=>L});var a,r=n(1915),o=n(94689),i=n(90622),s=n(43935),l=n(63294),c=n(12299),u=n(90494),d=n(26410),h=n(28415),f=n(54602),p=n(67040),m=n(20451),v=n(73727),g=n(98596),_=n(18280),b=n(62079);function y(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function I(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BVCollapse:()=>d,props:()=>u});var a=n(1915),r=n(94689),o=n(12299),i=n(26410),s=n(20451),l={css:!0,enterClass:"",enterActiveClass:"collapsing",enterToClass:"collapse show",leaveClass:"collapse show",leaveActiveClass:"collapsing",leaveToClass:"collapse"},c={enter:function(e){(0,i.setStyle)(e,"height",0),(0,i.requestAF)((function(){(0,i.reflow)(e),(0,i.setStyle)(e,"height","".concat(e.scrollHeight,"px"))}))},afterEnter:function(e){(0,i.removeStyle)(e,"height")},leave:function(e){(0,i.setStyle)(e,"height","auto"),(0,i.setStyle)(e,"display","block"),(0,i.setStyle)(e,"height","".concat((0,i.getBCR)(e).height,"px")),(0,i.reflow)(e),(0,i.setStyle)(e,"height",0)},afterLeave:function(e){(0,i.removeStyle)(e,"height")}},u={appear:(0,s.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},d=(0,a.extend)({name:r.NAME_COLLAPSE_HELPER,functional:!0,props:u,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e("transition",(0,a.mergeData)(r,{props:l,on:c},{props:n}),o)}})},31586:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCollapse:()=>a.BCollapse,CollapsePlugin:()=>o});var a=n(68283),r=n(7351),o=(0,n(11638).pluginFactory)({components:{BCollapse:a.BCollapse},plugins:{VBTogglePlugin:r.VBTogglePlugin}})},41294:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BDropdownDivider:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(67040);function l(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function c(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownForm:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(54909);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownGroup:()=>v,props:()=>m});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(26410),l=n(68265),c=n(72345),u=n(67040),d=n(20451);function h(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function f(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownHeader:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(26410),s=n(67040),l=n(20451);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownItemButton:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(20451),l=n(28492),c=n(18280);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownItem:()=>_,props:()=>g});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(26410),l=n(67040),c=n(20451),u=n(28492),d=n(18280),h=n(67347);function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function p(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdownText:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451);var l=(0,s.makePropsConfigurable)({tag:(0,s.makeProp)(o.PROP_TYPE_STRING,"p"),textClass:(0,s.makeProp)(o.PROP_TYPE_ARRAY_OBJECT_STRING),variant:(0,s.makeProp)(o.PROP_TYPE_STRING)},r.NAME_DROPDOWN_TEXT),c=(0,a.extend)({name:r.NAME_DROPDOWN_TEXT,functional:!0,props:l,render:function(e,t){var n,r,o,s=t.props,l=t.data,c=t.children,u=s.tag,d=s.textClass,h=s.variant;return e("li",(0,a.mergeData)((0,i.omit)(l,["attrs"]),{attrs:{role:"presentation"}}),[e(u,{staticClass:"b-dropdown-text",class:[d,(n={},r="text-".concat(h),o=h,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n)],props:s,attrs:l.attrs||{},ref:"text"},c)])}})},31642:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BDropdown:()=>y,props:()=>b});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(11572),l=n(18735),c=n(20451),u=n(46595),d=n(87649),h=n(73727),f=n(18280),p=n(15193),m=n(67040);function v(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function g(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BDropdown:()=>a.BDropdown,BDropdownDivider:()=>s.BDropdownDivider,BDropdownForm:()=>l.BDropdownForm,BDropdownGroup:()=>u.BDropdownGroup,BDropdownHeader:()=>i.BDropdownHeader,BDropdownItem:()=>r.BDropdownItem,BDropdownItemButton:()=>o.BDropdownItemButton,BDropdownText:()=>c.BDropdownText,DropdownPlugin:()=>d});var a=n(31642),r=n(87379),o=n(2332),i=n(53630),s=n(41294),l=n(44424),c=n(25880),u=n(540),d=(0,n(11638).pluginFactory)({components:{BDropdown:a.BDropdown,BDd:a.BDropdown,BDropdownItem:r.BDropdownItem,BDdItem:r.BDropdownItem,BDropdownItemButton:o.BDropdownItemButton,BDropdownItemBtn:o.BDropdownItemButton,BDdItemButton:o.BDropdownItemButton,BDdItemBtn:o.BDropdownItemButton,BDropdownHeader:i.BDropdownHeader,BDdHeader:i.BDropdownHeader,BDropdownDivider:s.BDropdownDivider,BDdDivider:s.BDropdownDivider,BDropdownForm:l.BDropdownForm,BDdForm:l.BDropdownForm,BDropdownText:c.BDropdownText,BDdText:c.BDropdownText,BDropdownGroup:u.BDropdownGroup,BDdGroup:u.BDropdownGroup}})},14289:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BEmbed:()=>d,props:()=>u});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(67040),l=n(20451);var c=["iframe","embed","video","object","img","b-img","b-img-lazy"],u=(0,l.makePropsConfigurable)({aspect:(0,l.makeProp)(o.PROP_TYPE_STRING,"16by9"),tag:(0,l.makeProp)(o.PROP_TYPE_STRING,"div"),type:(0,l.makeProp)(o.PROP_TYPE_STRING,"iframe",(function(e){return(0,i.arrayIncludes)(c,e)}))},r.NAME_EMBED),d=(0,a.extend)({name:r.NAME_EMBED,functional:!0,props:u,render:function(e,t){var n,r,o,i=t.props,l=t.data,c=t.children,u=i.aspect;return e(i.tag,{staticClass:"embed-responsive",class:(n={},r="embed-responsive-".concat(u),o=u,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n),ref:l.ref},[e(i.type,(0,a.mergeData)((0,s.omit)(l,["ref"]),{staticClass:"embed-responsive-item"}),c)])}})},49244:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BEmbed:()=>a.BEmbed,EmbedPlugin:()=>r});var a=n(14289),r=(0,n(11638).pluginFactory)({components:{BEmbed:a.BEmbed}})},82170:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVFormBtnLabelControl:()=>B,props:()=>w});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(26410),l=n(28415),c=n(67040),u=n(20451),d=n(46595),h=n(87649),f=n(32023),p=n(49035),m=n(95505),v=n(73727),g=n(18280),_=n(25700),b=n(7543);function y(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function I(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormCheckboxGroup:()=>p,props:()=>f});var a,r=n(1915),o=n(94689),i=n(12299),s=n(67040),l=n(20451),c=n(72985);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormCheckbox:()=>y,props:()=>b});var a,r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(33284),c=n(3058),u=n(10408),d=n(67040),h=n(20451),f=n(6298);function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function m(e){for(var t=1;t-1:(0,c.looseEqual)(t,e)},isRadio:function(){return!1}},watch:v({},g,(function(e,t){(0,c.looseEqual)(e,t)||this.setIndeterminate(e)})),mounted:function(){this.setIndeterminate(this[g])},methods:{computedLocalCheckedWatcher:function(e,t){if(!(0,c.looseEqual)(e,t)){this.$emit(f.MODEL_EVENT_NAME,e);var n=this.$refs.input;n&&this.$emit(_,n.indeterminate)}},handleChange:function(e){var t=this,n=e.target,a=n.checked,r=n.indeterminate,o=this.value,s=this.uncheckedValue,c=this.computedLocalChecked;if((0,l.isArray)(c)){var d=(0,u.looseIndexOf)(c,o);a&&d<0?c=c.concat(o):!a&&d>-1&&(c=c.slice(0,d).concat(c.slice(d+1)))}else c=a?o:s;this.computedLocalChecked=c,this.$nextTick((function(){t.$emit(i.EVENT_NAME_CHANGE,c),t.isGroup&&t.bvGroup.$emit(i.EVENT_NAME_CHANGE,c),t.$emit(_,r)}))},setIndeterminate:function(e){(0,l.isArray)(this.computedLocalChecked)&&(e=!1);var t=this.$refs.input;t&&(t.indeterminate=e,this.$emit(_,e))}}})},15696:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormCheckbox:()=>a.BFormCheckbox,BFormCheckboxGroup:()=>r.BFormCheckboxGroup,FormCheckboxPlugin:()=>o});var a=n(65098),r=n(64431),o=(0,n(11638).pluginFactory)({components:{BFormCheckbox:a.BFormCheckbox,BCheckbox:a.BFormCheckbox,BCheck:a.BFormCheckbox,BFormCheckboxGroup:r.BFormCheckboxGroup,BCheckboxGroup:r.BFormCheckboxGroup,BCheckGroup:r.BFormCheckboxGroup}})},92629:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormDatepicker:()=>S,props:()=>O});var a,r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(90494),c=n(68001),u=n(26410),d=n(33284),h=n(54602),f=n(67040),p=n(20451),m=n(73727),v=n(7543),g=n(15193),_=n(67065),b=n(82170);function y(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function I(e){for(var t=1;t0&&(c=[e("div",{staticClass:"b-form-date-controls d-flex flex-wrap",class:{"justify-content-between":c.length>1,"justify-content-end":c.length<2}},c)]);var v=e(_.BCalendar,{staticClass:"b-form-date-calendar w-100",props:I(I({},(0,p.pluckProps)(E,o)),{},{hidden:!this.isVisible,value:t,valueAsDate:!1,width:this.calendarWidth}),on:{selected:this.onSelected,input:this.onInput,context:this.onContext},scopedSlots:(0,f.pick)(i,["nav-prev-decade","nav-prev-year","nav-prev-month","nav-this-month","nav-next-month","nav-next-year","nav-next-decade"]),key:"calendar",ref:"calendar"},c);return e(b.BVFormBtnLabelControl,{staticClass:"b-form-datepicker",props:I(I({},(0,p.pluckProps)(x,o)),{},{formattedValue:t?this.formattedValue:"",id:this.safeId(),lang:this.computedLang,menuClass:[{"bg-dark":r,"text-light":r},this.menuClass],placeholder:s,rtl:this.isRTL,value:t}),on:{show:this.onShow,shown:this.onShown,hidden:this.onHidden},scopedSlots:M({},l.SLOT_NAME_BUTTON_CONTENT,i[l.SLOT_NAME_BUTTON_CONTENT]||this.defaultButtonFn),ref:"control"},[v])}})},88126:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormDatepicker:()=>a.BFormDatepicker,FormDatepickerPlugin:()=>r});var a=n(92629),r=(0,n(11638).pluginFactory)({components:{BFormDatepicker:a.BFormDatepicker,BDatepicker:a.BFormDatepicker}})},40986:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormFile:()=>U});var a,r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(12299),c=n(90494),u=n(30824),d=n(28112),h=n(11572),f=n(30158),p=n(26410),m=n(28415),v=n(68265),g=n(33284),_=n(3058),b=n(54602),y=n(67040),I=n(20451),M=n(46595),w=n(37568),B=n(28492),k=n(32023),T=n(58137),P=n(95505),E=n(73727),x=n(18280),O=n(49035);function S(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function A(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:"";return new Promise((function(a){var r=[];!function o(){t.readEntries((function(t){0===t.length?a(Promise.all(r).then((function(e){return(0,h.flatten)(e)}))):(r.push(Promise.all(t.map((function(t){if(t){if(t.isDirectory)return e(t.createReader(),"".concat(n).concat(t.name,"/"));if(t.isFile)return new Promise((function(e){t.file((function(t){t.$path="".concat(n).concat(t.name),e(t)}))}))}return null})).filter(v.identity))),o())}))}()}))},j=(0,I.makePropsConfigurable)((0,y.sortKeys)(A(A(A(A(A(A(A({},E.props),D),k.props),T.props),P.props),O.props),{},{accept:(0,I.makeProp)(l.PROP_TYPE_STRING,""),browseText:(0,I.makeProp)(l.PROP_TYPE_STRING,"Browse"),capture:(0,I.makeProp)(l.PROP_TYPE_BOOLEAN,!1),directory:(0,I.makeProp)(l.PROP_TYPE_BOOLEAN,!1),dropPlaceholder:(0,I.makeProp)(l.PROP_TYPE_STRING,"Drop files here"),fileNameFormatter:(0,I.makeProp)(l.PROP_TYPE_FUNCTION),multiple:(0,I.makeProp)(l.PROP_TYPE_BOOLEAN,!1),noDrop:(0,I.makeProp)(l.PROP_TYPE_BOOLEAN,!1),noDropPlaceholder:(0,I.makeProp)(l.PROP_TYPE_STRING,"Not allowed"),noTraverse:(0,I.makeProp)(l.PROP_TYPE_BOOLEAN,!1),placeholder:(0,I.makeProp)(l.PROP_TYPE_STRING,"No file chosen")})),o.NAME_FORM_FILE),U=(0,r.extend)({name:o.NAME_FORM_FILE,mixins:[B.attrsMixin,E.idMixin,z,x.normalizeSlotMixin,k.formControlMixin,P.formStateMixin,T.formCustomMixin,x.normalizeSlotMixin],inheritAttrs:!1,props:j,data:function(){return{files:[],dragging:!1,dropAllowed:!this.noDrop,hasFocus:!1}},computed:{computedAccept:function(){var e=this.accept;return 0===(e=(e||"").trim().split(/[,\s]+/).filter(v.identity)).length?null:e.map((function(e){var t="name",n="^",a="$";return u.RX_EXTENSION.test(e)?n="":(t="type",u.RX_STAR.test(e)&&(a=".+$",e=e.slice(0,-1))),e=(0,M.escapeRegExp)(e),{rx:new RegExp("".concat(n).concat(e).concat(a)),prop:t}}))},computedCapture:function(){var e=this.capture;return!0===e||""===e||(e||null)},computedAttrs:function(){var e=this.name,t=this.disabled,n=this.required,a=this.form,r=this.computedCapture,o=this.accept,i=this.multiple,s=this.directory;return A(A({},this.bvAttrs),{},{type:"file",id:this.safeId(),name:e,disabled:t,required:n,form:a||null,capture:r,accept:o||null,multiple:i,directory:s,webkitdirectory:s,"aria-required":n?"true":null})},computedFileNameFormatter:function(){var e=this.fileNameFormatter;return(0,I.hasPropFunction)(e)?e:this.defaultFileNameFormatter},clonedFiles:function(){return(0,f.cloneDeep)(this.files)},flattenedFiles:function(){return(0,h.flattenDeep)(this.files)},fileNames:function(){return this.flattenedFiles.map((function(e){return e.name}))},labelContent:function(){if(this.dragging&&!this.noDrop)return this.normalizeSlot(c.SLOT_NAME_DROP_PLACEHOLDER,{allowed:this.dropAllowed})||(this.dropAllowed?this.dropPlaceholder:this.$createElement("span",{staticClass:"text-danger"},this.noDropPlaceholder));if(0===this.files.length)return this.normalizeSlot(c.SLOT_NAME_PLACEHOLDER)||this.placeholder;var e=this.flattenedFiles,t=this.clonedFiles,n=this.fileNames,a=this.computedFileNameFormatter;return this.hasNormalizedSlot(c.SLOT_NAME_FILE_NAME)?this.normalizeSlot(c.SLOT_NAME_FILE_NAME,{files:e,filesTraversed:t,names:n}):a(e,t,n)}},watch:(a={},L(a,F,(function(e){(!e||(0,g.isArray)(e)&&0===e.length)&&this.reset()})),L(a,"files",(function(e,t){if(!(0,_.looseEqual)(e,t)){var n=this.multiple,a=this.noTraverse,r=!n||a?(0,h.flattenDeep)(e):e;this.$emit(R,n?r:r[0]||null)}})),a),created:function(){this.$_form=null},mounted:function(){var e=(0,p.closest)("form",this.$el);e&&((0,m.eventOn)(e,"reset",this.reset,s.EVENT_OPTIONS_PASSIVE),this.$_form=e)},beforeDestroy:function(){var e=this.$_form;e&&(0,m.eventOff)(e,"reset",this.reset,s.EVENT_OPTIONS_PASSIVE)},methods:{isFileValid:function(e){if(!e)return!1;var t=this.computedAccept;return!t||t.some((function(t){return t.rx.test(e[t.prop])}))},isFilesArrayValid:function(e){var t=this;return(0,g.isArray)(e)?e.every((function(e){return t.isFileValid(e)})):this.isFileValid(e)},defaultFileNameFormatter:function(e,t,n){return n.join(", ")},setFiles:function(e){this.dropAllowed=!this.noDrop,this.dragging=!1,this.files=this.multiple?this.directory?e:(0,h.flattenDeep)(e):(0,h.flattenDeep)(e).slice(0,1)},setInputFiles:function(e){try{var t=new ClipboardEvent("").clipboardData||new DataTransfer;(0,h.flattenDeep)((0,f.cloneDeep)(e)).forEach((function(e){delete e.$path,t.items.add(e)})),this.$refs.input.files=t.files}catch(e){}},reset:function(){try{var e=this.$refs.input;e.value="",e.type="",e.type="file"}catch(e){}this.files=[]},handleFiles:function(e){if(arguments.length>1&&void 0!==arguments[1]&&arguments[1]){var t=e.filter(this.isFilesArrayValid);t.length>0&&(this.setFiles(t),this.setInputFiles(t))}else this.setFiles(e)},focusHandler:function(e){this.plain||"focusout"===e.type?this.hasFocus=!1:this.hasFocus=!0},onChange:function(e){var t=this,n=e.type,a=e.target,r=e.dataTransfer,o=void 0===r?{}:r,l="drop"===n;this.$emit(s.EVENT_NAME_CHANGE,e);var c=(0,h.from)(o.items||[]);if(i.HAS_PROMISE_SUPPORT&&c.length>0&&!(0,g.isNull)(V(c[0])))(function(e){var t=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];return Promise.all((0,h.from)(e).filter((function(e){return"file"===e.kind})).map((function(e){var n=V(e);if(n){if(n.isDirectory&&t)return Y(n.createReader(),"".concat(n.name,"/"));if(n.isFile)return new Promise((function(e){n.file((function(t){t.$path="",e(t)}))}))}return null})).filter(v.identity))})(c,this.directory).then((function(e){return t.handleFiles(e,l)}));else{var u=(0,h.from)(a.files||o.files||[]).map((function(e){return e.$path=e.webkitRelativePath||"",e}));this.handleFiles(u,l)}},onDragenter:function(e){(0,m.stopEvent)(e),this.dragging=!0;var t=e.dataTransfer,n=void 0===t?{}:t;if(this.noDrop||this.disabled||!this.dropAllowed)return n.dropEffect="none",void(this.dropAllowed=!1);n.dropEffect="copy"},onDragover:function(e){(0,m.stopEvent)(e),this.dragging=!0;var t=e.dataTransfer,n=void 0===t?{}:t;if(this.noDrop||this.disabled||!this.dropAllowed)return n.dropEffect="none",void(this.dropAllowed=!1);n.dropEffect="copy"},onDragleave:function(e){var t=this;(0,m.stopEvent)(e),this.$nextTick((function(){t.dragging=!1,t.dropAllowed=!t.noDrop}))},onDrop:function(e){var t=this;(0,m.stopEvent)(e),this.dragging=!1,this.noDrop||this.disabled||!this.dropAllowed?this.$nextTick((function(){t.dropAllowed=!t.noDrop})):this.onChange(e)}},render:function(e){var t=this.custom,n=this.plain,a=this.size,r=this.dragging,o=this.stateClass,i=this.bvAttrs,s=e("input",{class:[{"form-control-file":n,"custom-file-input":t,focus:t&&this.hasFocus},o],style:t?{zIndex:-5}:{},attrs:this.computedAttrs,on:{change:this.onChange,focusin:this.focusHandler,focusout:this.focusHandler,reset:this.reset},ref:"input"});if(n)return s;var l=e("label",{staticClass:"custom-file-label",class:{dragging:r},attrs:{for:this.safeId(),"data-browse":this.browseText||null}},[e("span",{staticClass:"d-block form-file-text",style:{pointerEvents:"none"}},[this.labelContent])]);return e("div",{staticClass:"custom-file b-form-file",class:[L({},"b-custom-control-".concat(a),a),o,i.class],style:i.style,attrs:{id:this.safeId("_BV_file_outer_")},on:{dragenter:this.onDragenter,dragover:this.onDragover,dragleave:this.onDragleave,drop:this.onDrop}},[s,l])}})},67786:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormFile:()=>a.BFormFile,FormFilePlugin:()=>r});var a=n(40986),r=(0,n(11638).pluginFactory)({components:{BFormFile:a.BFormFile,BFile:a.BFormFile}})},46709:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormGroup:()=>A,generateProps:()=>S});var a=n(94689),r=n(43935),o=n(12299),i=n(30824),s=n(90494),l=n(11572),c=n(79968),u=n(64679),d=n(26410),h=n(68265),f=n(33284),p=n(93954),m=n(67040),v=n(20451),g=n(95505),_=n(73727),b=n(18280),y=n(50725),I=n(46310),M=n(51666),w=n(52307),B=n(98761);function k(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function T(e){for(var t=1;t0||(0,m.keys)(this.labelColProps).length>0}},watch:{ariaDescribedby:function(e,t){e!==t&&this.updateAriaDescribedby(e,t)}},mounted:function(){var e=this;this.$nextTick((function(){e.updateAriaDescribedby(e.ariaDescribedby)}))},methods:{getAlignClasses:function(e,t){return(0,c.getBreakpointsUpCached)().reduce((function(n,a){var r=e[(0,v.suffixPropName)(a,"".concat(t,"Align"))]||null;return r&&n.push(["text",a,r].filter(h.identity).join("-")),n}),[])},getColProps:function(e,t){return(0,c.getBreakpointsUpCached)().reduce((function(n,a){var r=e[(0,v.suffixPropName)(a,"".concat(t,"Cols"))];return r=""===r||(r||!1),(0,f.isBoolean)(r)||"auto"===r||(r=(r=(0,p.toInteger)(r,0))>0&&r),r&&(n[a||((0,f.isBoolean)(r)?"col":"cols")]=r),n}),{})},updateAriaDescribedby:function(e,t){var n=this.labelFor;if(r.IS_BROWSER&&n){var a=(0,d.select)("#".concat((0,u.cssEscape)(n)),this.$refs.content);if(a){var o="aria-describedby",s=(e||"").split(i.RX_SPACE_SPLIT),c=(t||"").split(i.RX_SPACE_SPLIT),f=((0,d.getAttr)(a,o)||"").split(i.RX_SPACE_SPLIT).filter((function(e){return!(0,l.arrayIncludes)(c,e)})).concat(s).filter((function(e,t,n){return n.indexOf(e)===t})).filter(h.identity).join(" ").trim();f?(0,d.setAttr)(a,o,f):(0,d.removeAttr)(a,o)}}},onLegendClick:function(e){if(!this.labelFor){var t=e.target,n=t?t.tagName:"";if(-1===O.indexOf(n)){var a=(0,d.selectAll)(x,this.$refs.content).filter(d.isVisible);1===a.length&&(0,d.attemptFocus)(a[0])}}}},render:function(e){var t=this.computedState,n=this.feedbackAriaLive,a=this.isHorizontal,r=this.labelFor,o=this.normalizeSlot,i=this.safeId,l=this.tooltip,c=i(),u=!r,d=e(),f=o(s.SLOT_NAME_LABEL)||this.label,p=f?i("_BV_label_"):null;if(f||a){var m=this.labelSize,v=this.labelColProps,g=u?"legend":"label";this.labelSrOnly?(f&&(d=e(g,{class:"sr-only",attrs:{id:p,for:r||null}},[f])),d=e(a?y.BCol:"div",{props:a?v:{}},[d])):d=e(a?y.BCol:g,{on:u?{click:this.onLegendClick}:{},props:a?T(T({},v),{},{tag:g}):{},attrs:{id:p,for:r||null,tabindex:u?"-1":null},class:[u?"bv-no-focus-ring":"",a||u?"col-form-label":"",!a&&u?"pt-0":"",a||u?"":"d-block",m?"col-form-label-".concat(m):"",this.labelAlignClasses,this.labelClass]},[f])}var _=e(),b=o(s.SLOT_NAME_INVALID_FEEDBACK)||this.invalidFeedback,k=b?i("_BV_feedback_invalid_"):null;b&&(_=e(w.BFormInvalidFeedback,{props:{ariaLive:n,id:k,state:t,tooltip:l},attrs:{tabindex:b?"-1":null}},[b]));var P=e(),E=o(s.SLOT_NAME_VALID_FEEDBACK)||this.validFeedback,x=E?i("_BV_feedback_valid_"):null;E&&(P=e(B.BFormValidFeedback,{props:{ariaLive:n,id:x,state:t,tooltip:l},attrs:{tabindex:E?"-1":null}},[E]));var O=e(),S=o(s.SLOT_NAME_DESCRIPTION)||this.description,A=S?i("_BV_description_"):null;S&&(O=e(M.BFormText,{attrs:{id:A,tabindex:"-1"}},[S]));var L=this.ariaDescribedby=[A,!1===t?k:null,!0===t?x:null].filter(h.identity).join(" ")||null,C=e(a?y.BCol:"div",{props:a?this.contentColProps:{},ref:"content"},[o(s.SLOT_NAME_DEFAULT,{ariaDescribedby:L,descriptionId:A,id:c,labelId:p})||e(),_,P,O]);return e(u?"fieldset":a?I.BFormRow:"div",{staticClass:"form-group",class:[{"was-validated":this.validated},this.stateClass],attrs:{id:c,disabled:u?this.disabled:null,role:u?null:"group","aria-invalid":this.computedAriaInvalid,"aria-labelledby":u&&a?p:null}},a&&u?[e(I.BFormRow,[d,C])]:[d,C])}}},25613:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormGroup:()=>a.BFormGroup,FormGroupPlugin:()=>r});var a=n(46709),r=(0,n(11638).pluginFactory)({components:{BFormGroup:a.BFormGroup,BFormFieldset:a.BFormGroup}})},22183:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormInput:()=>B,props:()=>w});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(26410),l=n(28415),c=n(67040),u=n(20451),d=n(32023),h=n(80685),f=n(49035),p=n(95505),m=n(70403),v=n(94791),g=n(73727),_=n(76677);function b(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function y(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormInput:()=>a.BFormInput,FormInputPlugin:()=>r});var a=n(22183),r=(0,n(11638).pluginFactory)({components:{BFormInput:a.BFormInput,BInput:a.BFormInput}})},87167:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormRadioGroup:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(20451),i=n(72985),s=(0,o.makePropsConfigurable)(i.props,r.NAME_FORM_RADIO_GROUP),l=(0,a.extend)({name:r.NAME_FORM_RADIO_GROUP,mixins:[i.formRadioCheckGroupMixin],provide:function(){var e=this;return{getBvRadioGroup:function(){return e}}},props:s,computed:{isRadioGroup:function(){return!0}}})},76398:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormRadio:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(20451),i=n(6298),s=(0,o.makePropsConfigurable)(i.props,r.NAME_FORM_RADIO),l=(0,a.extend)({name:r.NAME_FORM_RADIO,mixins:[i.formRadioCheckMixin],inject:{getBvGroup:{from:"getBvRadioGroup",default:function(){return function(){return null}}}},props:s,computed:{bvGroup:function(){return this.getBvGroup()}}})},35779:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormRadio:()=>a.BFormRadio,BFormRadioGroup:()=>r.BFormRadioGroup,FormRadioPlugin:()=>o});var a=n(76398),r=n(87167),o=(0,n(11638).pluginFactory)({components:{BFormRadio:a.BFormRadio,BRadio:a.BFormRadio,BFormRadioGroup:r.BFormRadioGroup,BRadioGroup:r.BFormRadioGroup}})},16398:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormRating:()=>H,props:()=>N});var a,r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(63663),c=n(90494),u=n(11572),d=n(26410),h=n(28415),f=n(68265),p=n(33284),m=n(9439),v=n(21578),g=n(54602),_=n(93954),b=n(67040),y=n(20451),I=n(46595),M=n(49035),w=n(73727),B=n(18280),k=n(32023),T=n(43022),P=n(7543);function E(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function x(e){for(var t=1;t=n?"full":t>=n-.5?"half":"empty",u={variant:o,disabled:i,readonly:s};return e("span",{staticClass:"b-rating-star",class:{focused:a&&t===n||!(0,_.toInteger)(t)&&n===l,"b-rating-star-empty":"empty"===c,"b-rating-star-half":"half"===c,"b-rating-star-full":"full"===c},attrs:{tabindex:i||s?null:"-1"},on:{click:this.onClick}},[e("span",{staticClass:"b-rating-icon"},[this.normalizeSlot(c,u)])])}}),N=(0,y.makePropsConfigurable)((0,b.sortKeys)(x(x(x(x(x({},w.props),L),(0,b.omit)(k.props,["required","autofocus"])),M.props),{},{color:(0,y.makeProp)(s.PROP_TYPE_STRING),iconClear:(0,y.makeProp)(s.PROP_TYPE_STRING,"x"),iconEmpty:(0,y.makeProp)(s.PROP_TYPE_STRING,"star"),iconFull:(0,y.makeProp)(s.PROP_TYPE_STRING,"star-fill"),iconHalf:(0,y.makeProp)(s.PROP_TYPE_STRING,"star-half"),inline:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),locale:(0,y.makeProp)(s.PROP_TYPE_ARRAY_STRING),noBorder:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),precision:(0,y.makeProp)(s.PROP_TYPE_NUMBER_STRING),readonly:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),showClear:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),showValue:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),showValueMax:(0,y.makeProp)(s.PROP_TYPE_BOOLEAN,!1),stars:(0,y.makeProp)(s.PROP_TYPE_NUMBER_STRING,5,(function(e){return(0,_.toInteger)(e)>=3})),variant:(0,y.makeProp)(s.PROP_TYPE_STRING)})),o.NAME_FORM_RATING),H=(0,r.extend)({name:o.NAME_FORM_RATING,components:{BIconStar:P.BIconStar,BIconStarHalf:P.BIconStarHalf,BIconStarFill:P.BIconStarFill,BIconX:P.BIconX},mixins:[w.idMixin,A,M.formSizeMixin],props:N,data:function(){var e=(0,_.toFloat)(this[C],null),t=D(this.stars);return{localValue:(0,p.isNull)(e)?null:F(e,0,t),hasFocus:!1}},computed:{computedStars:function(){return D(this.stars)},computedRating:function(){var e=(0,_.toFloat)(this.localValue,0),t=(0,_.toInteger)(this.precision,3);return F((0,_.toFloat)(e.toFixed(t)),0,this.computedStars)},computedLocale:function(){var e=(0,u.concat)(this.locale).filter(f.identity);return new Intl.NumberFormat(e).resolvedOptions().locale},isInteractive:function(){return!this.disabled&&!this.readonly},isRTL:function(){return(0,m.isLocaleRTL)(this.computedLocale)},formattedRating:function(){var e=(0,_.toInteger)(this.precision),t=this.showValueMax,n=this.computedLocale,a={notation:"standard",minimumFractionDigits:isNaN(e)?0:e,maximumFractionDigits:isNaN(e)?3:e},r=this.computedStars.toLocaleString(n),o=this.localValue;return o=(0,p.isNull)(o)?t?"-":"":o.toLocaleString(n,a),t?"".concat(o,"/").concat(r):o}},watch:(a={},O(a,C,(function(e,t){if(e!==t){var n=(0,_.toFloat)(e,null);this.localValue=(0,p.isNull)(n)?null:F(n,0,this.computedStars)}})),O(a,"localValue",(function(e,t){e!==t&&e!==(this.value||0)&&this.$emit(z,e||null)})),O(a,"disabled",(function(e){e&&(this.hasFocus=!1,this.blur())})),a),methods:{focus:function(){this.disabled||(0,d.attemptFocus)(this.$el)},blur:function(){this.disabled||(0,d.attemptBlur)(this.$el)},onKeydown:function(e){var t=e.keyCode;if(this.isInteractive&&(0,u.arrayIncludes)([l.CODE_LEFT,l.CODE_DOWN,l.CODE_RIGHT,l.CODE_UP],t)){(0,h.stopEvent)(e,{propagation:!1});var n=(0,_.toInteger)(this.localValue,0),a=this.showClear?0:1,r=this.computedStars,o=this.isRTL?-1:1;t===l.CODE_LEFT?this.localValue=F(n-o,a,r)||null:t===l.CODE_RIGHT?this.localValue=F(n+o,a,r):t===l.CODE_DOWN?this.localValue=F(n-1,a,r)||null:t===l.CODE_UP&&(this.localValue=F(n+1,a,r))}},onSelected:function(e){this.isInteractive&&(this.localValue=e)},onFocus:function(e){this.hasFocus=!!this.isInteractive&&"focus"===e.type},renderIcon:function(e){return this.$createElement(T.BIcon,{props:{icon:e,variant:this.disabled||this.color?null:this.variant||null}})},iconEmptyFn:function(){return this.renderIcon(this.iconEmpty)},iconHalfFn:function(){return this.renderIcon(this.iconHalf)},iconFullFn:function(){return this.renderIcon(this.iconFull)},iconClearFn:function(){return this.$createElement(T.BIcon,{props:{icon:this.iconClear}})}},render:function(e){var t=this,n=this.disabled,a=this.readonly,r=this.name,o=this.form,i=this.inline,s=this.variant,l=this.color,u=this.noBorder,d=this.hasFocus,h=this.computedRating,f=this.computedStars,m=this.formattedRating,v=this.showClear,g=this.isRTL,_=this.isInteractive,b=this.$scopedSlots,y=[];if(v&&!n&&!a){var M=e("span",{staticClass:"b-rating-icon"},[(b[c.SLOT_NAME_ICON_CLEAR]||this.iconClearFn)()]);y.push(e("span",{staticClass:"b-rating-star b-rating-star-clear flex-grow-1",class:{focused:d&&0===h},attrs:{tabindex:_?"-1":null},on:{click:function(){return t.onSelected(null)}},key:"clear"},[M]))}for(var w=0;w{"use strict";n.r(t),n.d(t,{BFormRating:()=>a.BFormRating,FormRatingPlugin:()=>r});var a=n(16398),r=(0,n(11638).pluginFactory)({components:{BFormRating:a.BFormRating,BRating:a.BFormRating}})},2938:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormSelectOptionGroup:()=>g,props:()=>v});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(18735),l=n(67040),c=n(20451),u=n(77330),d=n(18280),h=n(78959);function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function p(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormSelectOption:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({disabled:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),value:(0,i.makeProp)(o.PROP_TYPE_ANY,void 0,!0)},r.NAME_FORM_SELECT_OPTION),l=(0,a.extend)({name:r.NAME_FORM_SELECT_OPTION,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children,i=n.value,s=n.disabled;return e("option",(0,a.mergeData)(r,{attrs:{disabled:s},domProps:{value:i}}),o)}})},71567:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormSelect:()=>E,props:()=>P});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(11572),c=n(26410),u=n(18735),d=n(33284),h=n(67040),f=n(20451),p=n(32023),m=n(58137),v=n(49035),g=n(95505),_=n(73727),b=n(5504),y=n(18280),I=n(73837),M=n(78959),w=n(2938);function B(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function k(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{optionsMixin:()=>p,props:()=>f});var a=n(1915),r=n(12299),o=n(37668),i=n(33284),s=n(67040),l=n(20451),c=n(77330);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:null;if((0,i.isPlainObject)(e)){var n=(0,o.get)(e,this.valueField),a=(0,o.get)(e,this.textField),r=(0,o.get)(e,this.optionsField,null);return(0,i.isNull)(r)?{value:(0,i.isUndefined)(n)?t||a:n,text:String((0,i.isUndefined)(a)?t:a),html:(0,o.get)(e,this.htmlField),disabled:Boolean((0,o.get)(e,this.disabledField))}:{label:String((0,o.get)(e,this.labelField)||a),options:this.normalizeOptions(r)}}return{value:t||e,text:String(e),disabled:!1}}}})},99888:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormSelect:()=>a.BFormSelect,BFormSelectOption:()=>r.BFormSelectOption,BFormSelectOptionGroup:()=>o.BFormSelectOptionGroup,FormSelectPlugin:()=>i});var a=n(71567),r=n(78959),o=n(2938),i=(0,n(11638).pluginFactory)({components:{BFormSelect:a.BFormSelect,BFormSelectOption:r.BFormSelectOption,BFormSelectOptionGroup:o.BFormSelectOptionGroup,BSelect:a.BFormSelect,BSelectOption:r.BFormSelectOption,BSelectOptionGroup:o.BFormSelectOptionGroup}})},44390:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormSpinbutton:()=>N,props:()=>R});var a,r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(63663),c=n(90494),u=n(11572),d=n(26410),h=n(28415),f=n(68265),p=n(33284),m=n(9439),v=n(21578),g=n(54602),_=n(93954),b=n(67040),y=n(20451),I=n(46595),M=n(28492),w=n(49035),B=n(95505),k=n(73727),T=n(18280),P=n(32023),E=n(7543);function x(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function O(e){for(var t=1;t0?e:500},computedInterval:function(){var e=(0,_.toInteger)(this.repeatInterval,0);return e>0?e:100},computedThreshold:function(){return(0,v.mathMax)((0,_.toInteger)(this.repeatThreshold,10),1)},computedStepMultiplier:function(){return(0,v.mathMax)((0,_.toInteger)(this.repeatStepMultiplier,4),1)},computedPrecision:function(){var e=this.computedStep;return(0,v.mathFloor)(e)===e?0:(e.toString().split(".")[1]||"").length},computedMultiplier:function(){return(0,v.mathPow)(10,this.computedPrecision||0)},valueAsFixed:function(){var e=this.localValue;return(0,p.isNull)(e)?"":e.toFixed(this.computedPrecision)},computedLocale:function(){var e=(0,u.concat)(this.locale).filter(f.identity);return new Intl.NumberFormat(e).resolvedOptions().locale},computedRTL:function(){return(0,m.isLocaleRTL)(this.computedLocale)},defaultFormatter:function(){var e=this.computedPrecision;return new Intl.NumberFormat(this.computedLocale,{style:"decimal",useGrouping:!1,minimumIntegerDigits:1,minimumFractionDigits:e,maximumFractionDigits:e,notation:"standard"}).format},computedFormatter:function(){var e=this.formatterFn;return(0,y.hasPropFunction)(e)?e:this.defaultFormatter},computedAttrs:function(){return O(O({},this.bvAttrs),{},{role:"group",lang:this.computedLocale,tabindex:this.disabled?null:"-1",title:this.ariaLabel})},computedSpinAttrs:function(){var e=this.spinId,t=this.localValue,n=this.computedRequired,a=this.disabled,r=this.state,o=this.computedFormatter,i=!(0,p.isNull)(t);return O(O({dir:this.computedRTL?"rtl":"ltr"},this.bvAttrs),{},{id:e,role:"spinbutton",tabindex:a?null:"0","aria-live":"off","aria-label":this.ariaLabel||null,"aria-controls":this.ariaControls||null,"aria-invalid":!1===r||!i&&n?"true":null,"aria-required":n?"true":null,"aria-valuemin":(0,I.toString)(this.computedMin),"aria-valuemax":(0,I.toString)(this.computedMax),"aria-valuenow":i?t:null,"aria-valuetext":i?o(t):null})}},watch:(a={},S(a,z,(function(e){this.localValue=(0,_.toFloat)(e,null)})),S(a,"localValue",(function(e){this.$emit(D,e)})),S(a,"disabled",(function(e){e&&this.clearRepeat()})),S(a,"readonly",(function(e){e&&this.clearRepeat()})),a),created:function(){this.$_autoDelayTimer=null,this.$_autoRepeatTimer=null,this.$_keyIsDown=!1},beforeDestroy:function(){this.clearRepeat()},deactivated:function(){this.clearRepeat()},methods:{focus:function(){this.disabled||(0,d.attemptFocus)(this.$refs.spinner)},blur:function(){this.disabled||(0,d.attemptBlur)(this.$refs.spinner)},emitChange:function(){this.$emit(i.EVENT_NAME_CHANGE,this.localValue)},stepValue:function(e){var t=this.localValue;if(!this.disabled&&!(0,p.isNull)(t)){var n=this.computedStep*e,a=this.computedMin,r=this.computedMax,o=this.computedMultiplier,i=this.wrap;t=(0,v.mathRound)((t-a)/n)*n+a+n,t=(0,v.mathRound)(t*o)/o,this.localValue=t>r?i?a:r:t0&&void 0!==arguments[0]?arguments[0]:1,t=this.localValue;(0,p.isNull)(t)?this.localValue=this.computedMin:this.stepValue(1*e)},stepDown:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:1,t=this.localValue;(0,p.isNull)(t)?this.localValue=this.wrap?this.computedMax:this.computedMin:this.stepValue(-1*e)},onKeydown:function(e){var t=e.keyCode,n=e.altKey,a=e.ctrlKey,r=e.metaKey;if(!(this.disabled||this.readonly||n||a||r)&&(0,u.arrayIncludes)(F,t)){if((0,h.stopEvent)(e,{propagation:!1}),this.$_keyIsDown)return;this.resetTimers(),(0,u.arrayIncludes)([l.CODE_UP,l.CODE_DOWN],t)?(this.$_keyIsDown=!0,t===l.CODE_UP?this.handleStepRepeat(e,this.stepUp):t===l.CODE_DOWN&&this.handleStepRepeat(e,this.stepDown)):t===l.CODE_PAGEUP?this.stepUp(this.computedStepMultiplier):t===l.CODE_PAGEDOWN?this.stepDown(this.computedStepMultiplier):t===l.CODE_HOME?this.localValue=this.computedMin:t===l.CODE_END&&(this.localValue=this.computedMax)}},onKeyup:function(e){var t=e.keyCode,n=e.altKey,a=e.ctrlKey,r=e.metaKey;this.disabled||this.readonly||n||a||r||(0,u.arrayIncludes)(F,t)&&((0,h.stopEvent)(e,{propagation:!1}),this.resetTimers(),this.$_keyIsDown=!1,this.emitChange())},handleStepRepeat:function(e,t){var n=this,a=e||{},r=a.type,o=a.button;if(!this.disabled&&!this.readonly){if("mousedown"===r&&o)return;this.resetTimers(),t(1);var i=this.computedThreshold,s=this.computedStepMultiplier,l=this.computedDelay,c=this.computedInterval;this.$_autoDelayTimer=setTimeout((function(){var e=0;n.$_autoRepeatTimer=setInterval((function(){t(e{"use strict";n.r(t),n.d(t,{BFormSpinbutton:()=>a.BFormSpinbutton,FormSpinbuttonPlugin:()=>r});var a=n(44390),r=(0,n(11638).pluginFactory)({components:{BFormSpinbutton:a.BFormSpinbutton,BSpinbutton:a.BFormSpinbutton}})},51909:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTag:()=>_,props:()=>g});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(63663),l=n(67040),c=n(20451),u=n(73727),d=n(18280),h=n(26034),f=n(91451);function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function m(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormTags:()=>G});var a,r=n(1915),o=n(94689),i=n(63294),s=n(63663),l=n(12299),c=n(30824),u=n(90494),d=n(11572),h=n(64679),f=n(26410),p=n(28415),m=n(68265),v=n(33284),g=n(3058),_=n(54602),b=n(67040),y=n(20451),I=n(46595),M=n(32023),w=n(49035),B=n(95505),k=n(73727),T=n(76677),P=n(18280),E=n(15193),x=n(52307),O=n(51666),S=n(51909);function A(e){return function(e){if(Array.isArray(e))return L(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return L(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return L(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function L(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n0&&n.indexOf(e)===t}))},$=function(e){return(0,v.isString)(e)?e:(0,v.isEvent)(e)&&e.target.value||""},W=(0,y.makePropsConfigurable)((0,b.sortKeys)(z(z(z(z(z(z({},k.props),N),M.props),w.props),B.props),{},{addButtonText:(0,y.makeProp)(l.PROP_TYPE_STRING,"Add"),addButtonVariant:(0,y.makeProp)(l.PROP_TYPE_STRING,"outline-secondary"),addOnChange:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),duplicateTagText:(0,y.makeProp)(l.PROP_TYPE_STRING,"Duplicate tag(s)"),feedbackAriaLive:(0,y.makeProp)(l.PROP_TYPE_STRING,"assertive"),ignoreInputFocusSelector:(0,y.makeProp)(l.PROP_TYPE_ARRAY_STRING,j),inputAttrs:(0,y.makeProp)(l.PROP_TYPE_OBJECT,{}),inputClass:(0,y.makeProp)(l.PROP_TYPE_ARRAY_OBJECT_STRING),inputId:(0,y.makeProp)(l.PROP_TYPE_STRING),inputType:(0,y.makeProp)(l.PROP_TYPE_STRING,"text",(function(e){return(0,d.arrayIncludes)(Y,e)})),invalidTagText:(0,y.makeProp)(l.PROP_TYPE_STRING,"Invalid tag(s)"),limit:(0,y.makeProp)(l.PROP_TYPE_NUMBER),limitTagsText:(0,y.makeProp)(l.PROP_TYPE_STRING,"Tag limit reached"),noAddOnEnter:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),noOuterFocus:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),noTagRemove:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),placeholder:(0,y.makeProp)(l.PROP_TYPE_STRING,"Add tag..."),removeOnDelete:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),separator:(0,y.makeProp)(l.PROP_TYPE_ARRAY_STRING),tagClass:(0,y.makeProp)(l.PROP_TYPE_ARRAY_OBJECT_STRING),tagPills:(0,y.makeProp)(l.PROP_TYPE_BOOLEAN,!1),tagRemoveLabel:(0,y.makeProp)(l.PROP_TYPE_STRING,"Remove tag"),tagRemovedLabel:(0,y.makeProp)(l.PROP_TYPE_STRING,"Tag removed"),tagValidator:(0,y.makeProp)(l.PROP_TYPE_FUNCTION),tagVariant:(0,y.makeProp)(l.PROP_TYPE_STRING,"secondary")})),o.NAME_FORM_TAGS),G=(0,r.extend)({name:o.NAME_FORM_TAGS,mixins:[T.listenersMixin,k.idMixin,R,M.formControlMixin,w.formSizeMixin,B.formStateMixin,P.normalizeSlotMixin],props:W,data:function(){return{hasFocus:!1,newTag:"",tags:[],removedTags:[],tagsState:{all:[],valid:[],invalid:[],duplicate:[]},focusState:null}},computed:{computedInputId:function(){return this.inputId||this.safeId("__input__")},computedInputType:function(){return(0,d.arrayIncludes)(Y,this.inputType)?this.inputType:"text"},computedInputAttrs:function(){var e=this.disabled,t=this.form;return z(z({},this.inputAttrs),{},{id:this.computedInputId,value:this.newTag,disabled:e,form:t})},computedInputHandlers:function(){return z(z({},(0,b.omit)(this.bvListeners,[i.EVENT_NAME_FOCUSIN,i.EVENT_NAME_FOCUSOUT])),{},{blur:this.onInputBlur,change:this.onInputChange,focus:this.onInputFocus,input:this.onInputInput,keydown:this.onInputKeydown,reset:this.reset})},computedSeparator:function(){return(0,d.concat)(this.separator).filter(v.isString).filter(m.identity).join("")},computedSeparatorRegExp:function(){var e,t=this.computedSeparator;return t?new RegExp("[".concat((e=t,(0,I.escapeRegExp)(e).replace(c.RX_SPACES,"\\s")),"]+")):null},computedJoiner:function(){var e=this.computedSeparator.charAt(0);return" "!==e?"".concat(e," "):e},computeIgnoreInputFocusSelector:function(){return(0,d.concat)(this.ignoreInputFocusSelector).filter(m.identity).join(",").trim()},disableAddButton:function(){var e=this,t=(0,I.trim)(this.newTag);return""===t||!this.splitTags(t).some((function(t){return!(0,d.arrayIncludes)(e.tags,t)&&e.validateTag(t)}))},duplicateTags:function(){return this.tagsState.duplicate},hasDuplicateTags:function(){return this.duplicateTags.length>0},invalidTags:function(){return this.tagsState.invalid},hasInvalidTags:function(){return this.invalidTags.length>0},isLimitReached:function(){var e=this.limit;return(0,v.isNumber)(e)&&e>=0&&this.tags.length>=e}},watch:(a={},D(a,H,(function(e){this.tags=U(e)})),D(a,"tags",(function(e,t){(0,g.looseEqual)(e,this[H])||this.$emit(V,e),(0,g.looseEqual)(e,t)||(e=(0,d.concat)(e).filter(m.identity),t=(0,d.concat)(t).filter(m.identity),this.removedTags=t.filter((function(t){return!(0,d.arrayIncludes)(e,t)})))})),D(a,"tagsState",(function(e,t){(0,g.looseEqual)(e,t)||this.$emit(i.EVENT_NAME_TAG_STATE,e.valid,e.invalid,e.duplicate)})),a),created:function(){this.tags=U(this[H])},mounted:function(){var e=(0,f.closest)("form",this.$el);e&&(0,p.eventOn)(e,"reset",this.reset,i.EVENT_OPTIONS_PASSIVE)},beforeDestroy:function(){var e=(0,f.closest)("form",this.$el);e&&(0,p.eventOff)(e,"reset",this.reset,i.EVENT_OPTIONS_PASSIVE)},methods:{addTag:function(e){if(e=(0,v.isString)(e)?e:this.newTag,!this.disabled&&""!==(0,I.trim)(e)&&!this.isLimitReached){var t=this.parseTags(e);if(t.valid.length>0||0===t.all.length)if((0,f.matches)(this.getInput(),"select"))this.newTag="";else{var n=[].concat(A(t.invalid),A(t.duplicate));this.newTag=t.all.filter((function(e){return(0,d.arrayIncludes)(n,e)})).join(this.computedJoiner).concat(n.length>0?this.computedJoiner.charAt(0):"")}t.valid.length>0&&(this.tags=(0,d.concat)(this.tags,t.valid)),this.tagsState=t,this.focus()}},removeTag:function(e){this.disabled||(this.tags=this.tags.filter((function(t){return t!==e})))},reset:function(){var e=this;this.newTag="",this.tags=[],this.$nextTick((function(){e.removedTags=[],e.tagsState={all:[],valid:[],invalid:[],duplicate:[]}}))},onInputInput:function(e){if(!(this.disabled||(0,v.isEvent)(e)&&e.target.composing)){var t=$(e),n=this.computedSeparatorRegExp;this.newTag!==t&&(this.newTag=t),t=(0,I.trimLeft)(t),n&&n.test(t.slice(-1))?this.addTag():this.tagsState=""===t?{all:[],valid:[],invalid:[],duplicate:[]}:this.parseTags(t)}},onInputChange:function(e){if(!this.disabled&&this.addOnChange){var t=$(e);this.newTag!==t&&(this.newTag=t),this.addTag()}},onInputKeydown:function(e){if(!this.disabled&&(0,v.isEvent)(e)){var t=e.keyCode,n=e.target.value||"";this.noAddOnEnter||t!==s.CODE_ENTER?!this.removeOnDelete||t!==s.CODE_BACKSPACE&&t!==s.CODE_DELETE||""!==n||((0,p.stopEvent)(e,{propagation:!1}),this.tags=this.tags.slice(0,-1)):((0,p.stopEvent)(e,{propagation:!1}),this.addTag())}},onClick:function(e){var t=this,n=this.computeIgnoreInputFocusSelector;n&&(0,f.closest)(n,e.target,!0)||this.$nextTick((function(){t.focus()}))},onInputFocus:function(e){var t=this;"out"!==this.focusState&&(this.focusState="in",this.$nextTick((function(){(0,f.requestAF)((function(){t.hasFocus&&(t.$emit(i.EVENT_NAME_FOCUS,e),t.focusState=null)}))})))},onInputBlur:function(e){var t=this;"in"!==this.focusState&&(this.focusState="out",this.$nextTick((function(){(0,f.requestAF)((function(){t.hasFocus||(t.$emit(i.EVENT_NAME_BLUR,e),t.focusState=null)}))})))},onFocusin:function(e){this.hasFocus=!0,this.$emit(i.EVENT_NAME_FOCUSIN,e)},onFocusout:function(e){this.hasFocus=!1,this.$emit(i.EVENT_NAME_FOCUSOUT,e)},handleAutofocus:function(){var e=this;this.$nextTick((function(){(0,f.requestAF)((function(){e.autofocus&&e.focus()}))}))},focus:function(){this.disabled||(0,f.attemptFocus)(this.getInput())},blur:function(){this.disabled||(0,f.attemptBlur)(this.getInput())},splitTags:function(e){e=(0,I.toString)(e);var t=this.computedSeparatorRegExp;return(t?e.split(t):[e]).map(I.trim).filter(m.identity)},parseTags:function(e){var t=this,n=this.splitTags(e),a={all:n,valid:[],invalid:[],duplicate:[]};return n.forEach((function(e){(0,d.arrayIncludes)(t.tags,e)||(0,d.arrayIncludes)(a.valid,e)?(0,d.arrayIncludes)(a.duplicate,e)||a.duplicate.push(e):t.validateTag(e)?a.valid.push(e):(0,d.arrayIncludes)(a.invalid,e)||a.invalid.push(e)})),a},validateTag:function(e){var t=this.tagValidator;return!(0,y.hasPropFunction)(t)||t(e)},getInput:function(){return(0,f.select)("#".concat((0,h.cssEscape)(this.computedInputId)),this.$el)},defaultRender:function(e){var t=e.addButtonText,n=e.addButtonVariant,a=e.addTag,r=e.disableAddButton,o=e.disabled,i=e.duplicateTagText,s=e.inputAttrs,l=e.inputClass,c=e.inputHandlers,d=e.inputType,h=e.invalidTagText,f=e.isDuplicate,p=e.isInvalid,v=e.isLimitReached,g=e.limitTagsText,_=e.noTagRemove,b=e.placeholder,y=e.removeTag,M=e.tagClass,w=e.tagPills,B=e.tagRemoveLabel,k=e.tagVariant,T=e.tags,P=this.$createElement,A=T.map((function(e){return e=(0,I.toString)(e),P(S.BFormTag,{class:M,props:{disabled:o,noRemove:_,pill:w,removeLabel:B,tag:"li",title:e,variant:k},on:{remove:function(){return y(e)}},key:"tags_".concat(e)},e)})),L=h&&p?this.safeId("__invalid_feedback__"):null,C=i&&f?this.safeId("__duplicate_feedback__"):null,D=g&&v?this.safeId("__limit_feedback__"):null,F=[s["aria-describedby"],L,C,D].filter(m.identity).join(" "),R=P("input",{staticClass:"b-form-tags-input w-100 flex-grow-1 p-0 m-0 bg-transparent border-0",class:l,style:{outline:0,minWidth:"5rem"},attrs:z(z({},s),{},{"aria-describedby":F||null,type:d,placeholder:b||null}),domProps:{value:s.value},on:c,directives:[{name:"model",value:s.value}],ref:"input"}),N=P(E.BButton,{staticClass:"b-form-tags-button py-0",class:{invisible:r},style:{fontSize:"90%"},props:{disabled:r||v,variant:n},on:{click:function(){return a()}},ref:"button"},[this.normalizeSlot(u.SLOT_NAME_ADD_BUTTON_TEXT)||t]),H=this.safeId("__tag_list__"),V=P("li",{staticClass:"b-form-tags-field flex-grow-1",attrs:{role:"none","aria-live":"off","aria-controls":H},key:"tags_field"},[P("div",{staticClass:"d-flex",attrs:{role:"group"}},[R,N])]),Y=P("ul",{staticClass:"b-form-tags-list list-unstyled mb-0 d-flex flex-wrap align-items-center",attrs:{id:H},key:"tags_list"},[A,V]),j=P();if(h||i||g){var U=this.feedbackAriaLive,$=this.computedJoiner,W=P();L&&(W=P(x.BFormInvalidFeedback,{props:{id:L,ariaLive:U,forceShow:!0},key:"tags_invalid_feedback"},[this.invalidTagText,": ",this.invalidTags.join($)]));var G=P();C&&(G=P(O.BFormText,{props:{id:C,ariaLive:U},key:"tags_duplicate_feedback"},[this.duplicateTagText,": ",this.duplicateTags.join($)]));var q=P();D&&(q=P(O.BFormText,{props:{id:D,ariaLive:U},key:"tags_limit_feedback"},[g])),j=P("div",{attrs:{"aria-live":"polite","aria-atomic":"true"},key:"tags_feedback"},[W,G,q])}return[Y,j]}},render:function(e){var t=this.name,n=this.disabled,a=this.required,r=this.form,o=this.tags,i=this.computedInputId,s=this.hasFocus,l=this.noOuterFocus,c=z({tags:o.slice(),inputAttrs:this.computedInputAttrs,inputType:this.computedInputType,inputHandlers:this.computedInputHandlers,removeTag:this.removeTag,addTag:this.addTag,reset:this.reset,inputId:i,isInvalid:this.hasInvalidTags,invalidTags:this.invalidTags.slice(),isDuplicate:this.hasDuplicateTags,duplicateTags:this.duplicateTags.slice(),isLimitReached:this.isLimitReached,disableAddButton:this.disableAddButton},(0,b.pick)(this.$props,["addButtonText","addButtonVariant","disabled","duplicateTagText","form","inputClass","invalidTagText","limit","limitTagsText","noTagRemove","placeholder","required","separator","size","state","tagClass","tagPills","tagRemoveLabel","tagVariant"])),d=this.normalizeSlot(u.SLOT_NAME_DEFAULT,c)||this.defaultRender(c),h=e("output",{staticClass:"sr-only",attrs:{id:this.safeId("__selected_tags__"),role:"status",for:i,"aria-live":s?"polite":"off","aria-atomic":"true","aria-relevant":"additions text"}},this.tags.join(", ")),f=e("div",{staticClass:"sr-only",attrs:{id:this.safeId("__removed_tags__"),role:"status","aria-live":s?"assertive":"off","aria-atomic":"true"}},this.removedTags.length>0?"(".concat(this.tagRemovedLabel,") ").concat(this.removedTags.join(", ")):""),p=e();if(t&&!n){var m=o.length>0;p=(m?o:[""]).map((function(n){return e("input",{class:{"sr-only":!m},attrs:{type:m?"hidden":"text",value:n,required:a,name:t,form:r},key:"tag_input_".concat(n)})}))}return e("div",{staticClass:"b-form-tags form-control h-auto",class:[{focus:s&&!l&&!n,disabled:n},this.sizeFormClass,this.stateClass],attrs:{id:this.safeId(),role:"group",tabindex:n||l?null:"-1","aria-describedby":this.safeId("__selected_tags__")},on:{click:this.onClick,focusin:this.onFocusin,focusout:this.onFocusout}},[h,f,d,p])}})},48156:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTag:()=>r.BFormTag,BFormTags:()=>a.BFormTags,FormTagsPlugin:()=>o});var a=n(71605),r=n(51909),o=(0,n(11638).pluginFactory)({components:{BFormTags:a.BFormTags,BTags:a.BFormTags,BFormTag:r.BFormTag,BTag:r.BFormTag}})},333:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTextarea:()=>T,props:()=>k});var a=n(1915),r=n(94689),o=n(12299),i=n(26410),s=n(33284),l=n(21578),c=n(93954),u=n(67040),d=n(20451),h=n(32023),f=n(80685),p=n(49035),m=n(95505),v=n(70403),g=n(94791),_=n(73727),b=n(98596),y=n(76677),I=n(58290);function M(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function w(e){for(var t=1;tm?d:"".concat(m,"px")}},render:function(e){return e("textarea",{class:this.computedClass,style:this.computedStyle,directives:[{name:"b-visible",value:this.visibleCallback,modifiers:{640:!0}}],attrs:this.computedAttrs,domProps:{value:this.localValue},on:this.computedListeners,ref:"input"})}})},90093:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTextarea:()=>a.BFormTextarea,FormTextareaPlugin:()=>r});var a=n(333),r=(0,n(11638).pluginFactory)({components:{BFormTextarea:a.BFormTextarea,BTextarea:a.BFormTextarea}})},18577:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTimepicker:()=>O,props:()=>x});var a,r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(90494),c=n(26410),u=n(33284),d=n(54602),h=n(67040),f=n(20451),p=n(73727),m=n(7543),v=n(15193),g=n(82170),_=n(98916);function b(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function y(e){for(var t=1;t0&&i.push(e("span"," "));var c=this.labelResetButton;i.push(e(v.BButton,{props:{size:"sm",disabled:n||a,variant:this.resetButtonVariant},attrs:{"aria-label":c||null},on:{click:this.onResetButton},key:"reset-btn"},c))}if(!this.noCloseButton){i.length>0&&i.push(e("span"," "));var d=this.labelCloseButton;i.push(e(v.BButton,{props:{size:"sm",disabled:n,variant:this.closeButtonVariant},attrs:{"aria-label":d||null},on:{click:this.onCloseButton},key:"close-btn"},d))}i.length>0&&(i=[e("div",{staticClass:"b-form-date-controls d-flex flex-wrap",class:{"justify-content-between":i.length>1,"justify-content-end":i.length<2}},i)]);var h=e(_.BTime,{staticClass:"b-form-time-control",props:y(y({},(0,f.pluckProps)(P,r)),{},{value:t,hidden:!this.isVisible}),on:{input:this.onInput,context:this.onContext},ref:"time"},i);return e(g.BVFormBtnLabelControl,{staticClass:"b-form-timepicker",props:y(y({},(0,f.pluckProps)(E,r)),{},{id:this.safeId(),value:t,formattedValue:t?this.formattedValue:"",placeholder:o,rtl:this.isRTL,lang:this.computedLang}),on:{show:this.onShow,shown:this.onShown,hidden:this.onHidden},scopedSlots:I({},l.SLOT_NAME_BUTTON_CONTENT,this.$scopedSlots[l.SLOT_NAME_BUTTON_CONTENT]||this.defaultButtonFn),ref:"control"},[h])}})},94814:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormTimepicker:()=>a.BFormTimepicker,FormTimepickerPlugin:()=>r});var a=n(18577),r=(0,n(11638).pluginFactory)({components:{BFormTimepicker:a.BFormTimepicker,BTimepicker:a.BFormTimepicker}})},62918:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormDatalist:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(18735),s=n(67040),l=n(20451),c=n(77330),u=n(18280);function d(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function h(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BFormInvalidFeedback:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({ariaLive:(0,i.makeProp)(o.PROP_TYPE_STRING),forceShow:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),id:(0,i.makeProp)(o.PROP_TYPE_STRING),role:(0,i.makeProp)(o.PROP_TYPE_STRING),state:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,null),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div"),tooltip:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_FORM_INVALID_FEEDBACK),l=(0,a.extend)({name:r.NAME_FORM_INVALID_FEEDBACK,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children,i=n.tooltip,s=n.ariaLive,l=!0===n.forceShow||!1===n.state;return e(n.tag,(0,a.mergeData)(r,{class:{"d-block":l,"invalid-feedback":!i,"invalid-tooltip":i},attrs:{id:n.id||null,role:n.role||null,"aria-live":s||null,"aria-atomic":s?"true":null}}),o)}})},51666:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormText:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451);var s=(0,i.makePropsConfigurable)({id:(0,i.makeProp)(o.PROP_TYPE_STRING),inline:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"small"),textVariant:(0,i.makeProp)(o.PROP_TYPE_STRING,"muted")},r.NAME_FORM_TEXT),l=(0,a.extend)({name:r.NAME_FORM_TEXT,functional:!0,props:s,render:function(e,t){var n,r,o,i=t.props,s=t.data,l=t.children;return e(i.tag,(0,a.mergeData)(s,{class:(n={"form-text":!i.inline},r="text-".concat(i.textVariant),o=i.textVariant,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n),attrs:{id:i.id}}),l)}})},98761:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormValidFeedback:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({ariaLive:(0,i.makeProp)(o.PROP_TYPE_STRING),forceShow:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),id:(0,i.makeProp)(o.PROP_TYPE_STRING),role:(0,i.makeProp)(o.PROP_TYPE_STRING),state:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,null),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div"),tooltip:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_FORM_VALID_FEEDBACK),l=(0,a.extend)({name:r.NAME_FORM_VALID_FEEDBACK,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children,i=n.tooltip,s=n.ariaLive,l=!0===n.forceShow||!0===n.state;return e(n.tag,(0,a.mergeData)(r,{class:{"d-block":l,"valid-feedback":!i,"valid-tooltip":i},attrs:{id:n.id||null,role:n.role||null,"aria-live":s||null,"aria-atomic":s?"true":null}}),o)}})},54909:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BForm:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({id:(0,i.makeProp)(o.PROP_TYPE_STRING),inline:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),novalidate:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),validated:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_FORM),l=(0,a.extend)({name:r.NAME_FORM,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e("form",(0,a.mergeData)(r,{class:{"form-inline":n.inline,"was-validated":n.validated},attrs:{id:n.id,novalidate:n.novalidate}}),o)}})},5210:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BForm:()=>a.BForm,BFormDatalist:()=>r.BFormDatalist,BFormInvalidFeedback:()=>i.BFormInvalidFeedback,BFormText:()=>o.BFormText,BFormValidFeedback:()=>s.BFormValidFeedback,FormPlugin:()=>c});var a=n(54909),r=n(62918),o=n(51666),i=n(52307),s=n(98761),l=n(46310),c=(0,n(11638).pluginFactory)({components:{BForm:a.BForm,BFormDatalist:r.BFormDatalist,BDatalist:r.BFormDatalist,BFormText:o.BFormText,BFormInvalidFeedback:i.BFormInvalidFeedback,BFormFeedback:i.BFormInvalidFeedback,BFormValidFeedback:s.BFormValidFeedback,BFormRow:l.BFormRow}})},78130:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BImgLazy:()=>B,props:()=>w});var a,r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(12299),c=n(11572),u=n(26410),d=n(68265),h=n(93954),f=n(67040),p=n(20451),m=n(58290),v=n(98156);function g(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function _(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BImg:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(68265),l=n(33284),c=n(93954),u=n(20451),d=n(46595);function h(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var f='',p=(0,u.makePropsConfigurable)({alt:(0,u.makeProp)(o.PROP_TYPE_STRING),blank:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),blankColor:(0,u.makeProp)(o.PROP_TYPE_STRING,"transparent"),block:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),center:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),fluid:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),fluidGrow:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),height:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING),left:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),right:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),rounded:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN_STRING,!1),sizes:(0,u.makeProp)(o.PROP_TYPE_ARRAY_STRING),src:(0,u.makeProp)(o.PROP_TYPE_STRING),srcset:(0,u.makeProp)(o.PROP_TYPE_ARRAY_STRING),thumbnail:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),width:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING)},r.NAME_IMG),m=(0,a.extend)({name:r.NAME_IMG,functional:!0,props:p,render:function(e,t){var n,r=t.props,o=t.data,u=r.alt,p=r.src,m=r.block,v=r.fluidGrow,g=r.rounded,_=(0,c.toInteger)(r.width)||null,b=(0,c.toInteger)(r.height)||null,y=null,I=(0,i.concat)(r.srcset).filter(s.identity).join(","),M=(0,i.concat)(r.sizes).filter(s.identity).join(",");return r.blank&&(!b&&_?b=_:!_&&b&&(_=b),_||b||(_=1,b=1),p=function(e,t,n){var a=encodeURIComponent(f.replace("%{w}",(0,d.toString)(e)).replace("%{h}",(0,d.toString)(t)).replace("%{f}",n));return"data:image/svg+xml;charset=UTF-8,".concat(a)}(_,b,r.blankColor||"transparent"),I=null,M=null),r.left?y="float-left":r.right?y="float-right":r.center&&(y="mx-auto",m=!0),e("img",(0,a.mergeData)(o,{attrs:{src:p,alt:u,width:_?(0,d.toString)(_):null,height:b?(0,d.toString)(b):null,srcset:I||null,sizes:M||null},class:(n={"img-thumbnail":r.thumbnail,"img-fluid":r.fluid||v,"w-100":v,rounded:""===g||!0===g},h(n,"rounded-".concat(g),(0,l.isString)(g)&&""!==g),h(n,y,y),h(n,"d-block",m),n)}))}})},52749:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BImg:()=>a.BImg,BImgLazy:()=>r.BImgLazy,ImagePlugin:()=>o});var a=n(98156),r=n(78130),o=(0,n(11638).pluginFactory)({components:{BImg:a.BImg,BImgLazy:r.BImgLazy}})},17826:(e,t,n)=>{"use strict";n.r(t),n.d(t,{componentsPlugin:()=>ee});var a=n(11638),r=n(45279),o=n(74278),i=n(48391),s=n(32026),l=n(93575),c=n(1869),u=n(47070),d=n(23059),h=n(75360),f=n(51684),p=n(68512),m=n(31586),v=n(25952),g=n(49244),_=n(5210),b=n(15696),y=n(88126),I=n(67786),M=n(25613),w=n(34274),B=n(35779),k=n(9487),T=n(99888),P=n(57832),E=n(48156),x=n(90093),O=n(94814),S=n(52749),A=n(45284),L=n(69589),C=n(48648),z=n(30959),D=n(87841),F=n(35198),R=n(45906),N=n(53156),H=n(55739),V=n(98812),Y=n(1781),j=n(11856),U=n(71868),$=n(37587),W=n(44196),G=n(87140),q=n(82496),X=n(56778),K=n(91573),J=n(61783),Z=n(48233),Q=n(63886),ee=(0,a.pluginFactory)({plugins:{AlertPlugin:r.AlertPlugin,AspectPlugin:o.AspectPlugin,AvatarPlugin:i.AvatarPlugin,BadgePlugin:s.BadgePlugin,BreadcrumbPlugin:l.BreadcrumbPlugin,ButtonPlugin:c.ButtonPlugin,ButtonGroupPlugin:u.ButtonGroupPlugin,ButtonToolbarPlugin:d.ButtonToolbarPlugin,CalendarPlugin:h.CalendarPlugin,CardPlugin:f.CardPlugin,CarouselPlugin:p.CarouselPlugin,CollapsePlugin:m.CollapsePlugin,DropdownPlugin:v.DropdownPlugin,EmbedPlugin:g.EmbedPlugin,FormPlugin:_.FormPlugin,FormCheckboxPlugin:b.FormCheckboxPlugin,FormDatepickerPlugin:y.FormDatepickerPlugin,FormFilePlugin:I.FormFilePlugin,FormGroupPlugin:M.FormGroupPlugin,FormInputPlugin:w.FormInputPlugin,FormRadioPlugin:B.FormRadioPlugin,FormRatingPlugin:k.FormRatingPlugin,FormSelectPlugin:T.FormSelectPlugin,FormSpinbuttonPlugin:P.FormSpinbuttonPlugin,FormTagsPlugin:E.FormTagsPlugin,FormTextareaPlugin:x.FormTextareaPlugin,FormTimepickerPlugin:O.FormTimepickerPlugin,ImagePlugin:S.ImagePlugin,InputGroupPlugin:A.InputGroupPlugin,JumbotronPlugin:L.JumbotronPlugin,LayoutPlugin:C.LayoutPlugin,LinkPlugin:z.LinkPlugin,ListGroupPlugin:D.ListGroupPlugin,MediaPlugin:F.MediaPlugin,ModalPlugin:R.ModalPlugin,NavPlugin:N.NavPlugin,NavbarPlugin:H.NavbarPlugin,OverlayPlugin:V.OverlayPlugin,PaginationPlugin:Y.PaginationPlugin,PaginationNavPlugin:j.PaginationNavPlugin,PopoverPlugin:U.PopoverPlugin,ProgressPlugin:$.ProgressPlugin,SidebarPlugin:W.SidebarPlugin,SkeletonPlugin:G.SkeletonPlugin,SpinnerPlugin:q.SpinnerPlugin,TablePlugin:X.TablePlugin,TabsPlugin:K.TabsPlugin,TimePlugin:J.TimePlugin,ToastPlugin:Z.ToastPlugin,TooltipPlugin:Q.TooltipPlugin}})},45284:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BInputGroup:()=>a.BInputGroup,BInputGroupAddon:()=>r.BInputGroupAddon,BInputGroupAppend:()=>i.BInputGroupAppend,BInputGroupPrepend:()=>o.BInputGroupPrepend,BInputGroupText:()=>s.BInputGroupText,InputGroupPlugin:()=>l});var a=n(4060),r=n(74199),o=n(27754),i=n(22418),s=n(18222),l=(0,n(11638).pluginFactory)({components:{BInputGroup:a.BInputGroup,BInputGroupAddon:r.BInputGroupAddon,BInputGroupPrepend:o.BInputGroupPrepend,BInputGroupAppend:i.BInputGroupAppend,BInputGroupText:s.BInputGroupText}})},74199:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BInputGroupAddon:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(18222),l=(0,i.makePropsConfigurable)({append:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),id:(0,i.makeProp)(o.PROP_TYPE_STRING),isText:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_INPUT_GROUP_ADDON),c=(0,a.extend)({name:r.NAME_INPUT_GROUP_ADDON,functional:!0,props:l,render:function(e,t){var n=t.props,r=t.data,o=t.children,i=n.append;return e(n.tag,(0,a.mergeData)(r,{class:{"input-group-append":i,"input-group-prepend":!i},attrs:{id:n.id}}),n.isText?[e(s.BInputGroupText,o)]:o)}})},22418:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BInputGroupAppend:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(74199);function l(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function c(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BInputGroupPrepend:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(74199);function l(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function c(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BInputGroupText:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_INPUT_GROUP_TEXT),l=(0,a.extend)({name:r.NAME_INPUT_GROUP_TEXT,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.tag,(0,a.mergeData)(r,{staticClass:"input-group-text"}),o)}})},4060:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BInputGroup:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(18735),l=n(72345),c=n(20451),u=n(22418),d=n(27754),h=n(18222);var f=(0,c.makePropsConfigurable)({append:(0,c.makeProp)(o.PROP_TYPE_STRING),appendHtml:(0,c.makeProp)(o.PROP_TYPE_STRING),id:(0,c.makeProp)(o.PROP_TYPE_STRING),prepend:(0,c.makeProp)(o.PROP_TYPE_STRING),prependHtml:(0,c.makeProp)(o.PROP_TYPE_STRING),size:(0,c.makeProp)(o.PROP_TYPE_STRING),tag:(0,c.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_INPUT_GROUP),p=(0,a.extend)({name:r.NAME_INPUT_GROUP,functional:!0,props:f,render:function(e,t){var n=t.props,r=t.data,o=t.slots,c=t.scopedSlots,f=n.prepend,p=n.prependHtml,m=n.append,v=n.appendHtml,g=n.size,_=c||{},b=o(),y={},I=e(),M=(0,l.hasNormalizedSlot)(i.SLOT_NAME_PREPEND,_,b);(M||f||p)&&(I=e(d.BInputGroupPrepend,[M?(0,l.normalizeSlot)(i.SLOT_NAME_PREPEND,y,_,b):e(h.BInputGroupText,{domProps:(0,s.htmlOrText)(p,f)})]));var w,B,k,T=e(),P=(0,l.hasNormalizedSlot)(i.SLOT_NAME_APPEND,_,b);return(P||m||v)&&(T=e(u.BInputGroupAppend,[P?(0,l.normalizeSlot)(i.SLOT_NAME_APPEND,y,_,b):e(h.BInputGroupText,{domProps:(0,s.htmlOrText)(v,m)})])),e(n.tag,(0,a.mergeData)(r,{staticClass:"input-group",class:(w={},B="input-group-".concat(g),k=g,B in w?Object.defineProperty(w,B,{value:k,enumerable:!0,configurable:!0,writable:!0}):w[B]=k,w),attrs:{id:n.id||null,role:"group"}}),[I,(0,l.normalizeSlot)(i.SLOT_NAME_DEFAULT,y,_,b),T])}})},69589:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BJumbotron:()=>a.BJumbotron,JumbotronPlugin:()=>r});var a=n(855),r=(0,n(11638).pluginFactory)({components:{BJumbotron:a.BJumbotron}})},855:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BJumbotron:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(18735),l=n(72345),c=n(20451),u=n(34147);function d(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h=(0,c.makePropsConfigurable)({bgVariant:(0,c.makeProp)(o.PROP_TYPE_STRING),borderVariant:(0,c.makeProp)(o.PROP_TYPE_STRING),containerFluid:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN_STRING,!1),fluid:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),header:(0,c.makeProp)(o.PROP_TYPE_STRING),headerHtml:(0,c.makeProp)(o.PROP_TYPE_STRING),headerLevel:(0,c.makeProp)(o.PROP_TYPE_NUMBER_STRING,3),headerTag:(0,c.makeProp)(o.PROP_TYPE_STRING,"h1"),lead:(0,c.makeProp)(o.PROP_TYPE_STRING),leadHtml:(0,c.makeProp)(o.PROP_TYPE_STRING),leadTag:(0,c.makeProp)(o.PROP_TYPE_STRING,"p"),tag:(0,c.makeProp)(o.PROP_TYPE_STRING,"div"),textVariant:(0,c.makeProp)(o.PROP_TYPE_STRING)},r.NAME_JUMBOTRON),f=(0,a.extend)({name:r.NAME_JUMBOTRON,functional:!0,props:h,render:function(e,t){var n,r=t.props,o=t.data,c=t.slots,h=t.scopedSlots,f=r.header,p=r.headerHtml,m=r.lead,v=r.leadHtml,g=r.textVariant,_=r.bgVariant,b=r.borderVariant,y=h||{},I=c(),M={},w=e(),B=(0,l.hasNormalizedSlot)(i.SLOT_NAME_HEADER,y,I);if(B||f||p){var k=r.headerLevel;w=e(r.headerTag,{class:d({},"display-".concat(k),k),domProps:B?{}:(0,s.htmlOrText)(p,f)},(0,l.normalizeSlot)(i.SLOT_NAME_HEADER,M,y,I))}var T=e(),P=(0,l.hasNormalizedSlot)(i.SLOT_NAME_LEAD,y,I);(P||m||v)&&(T=e(r.leadTag,{staticClass:"lead",domProps:P?{}:(0,s.htmlOrText)(v,m)},(0,l.normalizeSlot)(i.SLOT_NAME_LEAD,M,y,I)));var E=[w,T,(0,l.normalizeSlot)(i.SLOT_NAME_DEFAULT,M,y,I)];return r.fluid&&(E=[e(u.BContainer,{props:{fluid:r.containerFluid}},E)]),e(r.tag,(0,a.mergeData)(o,{staticClass:"jumbotron",class:(n={"jumbotron-fluid":r.fluid},d(n,"text-".concat(g),g),d(n,"bg-".concat(_),_),d(n,"border-".concat(b),b),d(n,"border",b),n)}),E)}})},50725:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCol:()=>M,generateProps:()=>I});var a=n(1915),r=n(94689),o=n(12299),i=n(30824),s=n(11572),l=n(79968),c=n(68265),u=n(33284),d=n(91051),h=n(67040),f=n(20451),p=n(46595);function m(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function v(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BContainer:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451);var s=(0,i.makePropsConfigurable)({fluid:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN_STRING,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_CONTAINER),l=(0,a.extend)({name:r.NAME_CONTAINER,functional:!0,props:s,render:function(e,t){var n,r,o,i=t.props,s=t.data,l=t.children,c=i.fluid;return e(i.tag,(0,a.mergeData)(s,{class:(n={container:!(c||""===c),"container-fluid":!0===c||""===c},r="container-".concat(c),o=c&&!0!==c,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n)}),l)}})},46310:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BFormRow:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_FORM_ROW),l=(0,a.extend)({name:r.NAME_FORM_ROW,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.tag,(0,a.mergeData)(r,{staticClass:"form-row"}),o)}})},48648:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BCol:()=>o.BCol,BContainer:()=>a.BContainer,BFormRow:()=>i.BFormRow,BRow:()=>r.BRow,LayoutPlugin:()=>s});var a=n(34147),r=n(26253),o=n(50725),i=n(46310),s=(0,n(11638).pluginFactory)({components:{BContainer:a.BContainer,BRow:r.BRow,BCol:o.BCol,BFormRow:i.BFormRow}})},26253:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BRow:()=>I,generateProps:()=>y});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(79968),l=n(68265),c=n(91051),u=n(67040),d=n(20451),h=n(46595);function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function p(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BLink:()=>a.BLink,LinkPlugin:()=>r});var a=n(67347),r=(0,n(11638).pluginFactory)({components:{BLink:a.BLink}})},67347:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BLink:()=>P,nuxtLinkProps:()=>k,props:()=>T,routerLinkProps:()=>B});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(11572),l=n(26410),c=n(28415),u=n(33284),d=n(67040),h=n(20451),f=n(30488),p=n(28492),m=n(98596),v=n(76677),g=n(18280);function _(e){return function(e){if(Array.isArray(e))return b(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return b(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return b(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function b(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n{"use strict";n.r(t),n.d(t,{BListGroup:()=>a.BListGroup,BListGroupItem:()=>r.BListGroupItem,ListGroupPlugin:()=>o});var a=n(70322),r=n(88367),o=(0,n(11638).pluginFactory)({components:{BListGroup:a.BListGroup,BListGroupItem:r.BListGroupItem}})},88367:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BListGroupItem:()=>_,props:()=>g});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(26410),l=n(67040),c=n(20451),u=n(30488),d=n(67347);function h(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function f(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BListGroup:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(33284),s=n(20451);var l=(0,s.makePropsConfigurable)({flush:(0,s.makeProp)(o.PROP_TYPE_BOOLEAN,!1),horizontal:(0,s.makeProp)(o.PROP_TYPE_BOOLEAN_STRING,!1),tag:(0,s.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_LIST_GROUP),c=(0,a.extend)({name:r.NAME_LIST_GROUP,functional:!0,props:l,render:function(e,t){var n=t.props,r=t.data,o=t.children,s=""===n.horizontal||n.horizontal;s=!n.flush&&s;var l,c,u,d={staticClass:"list-group",class:(l={"list-group-flush":n.flush,"list-group-horizontal":!0===s},c="list-group-horizontal-".concat(s),u=(0,i.isString)(s),c in l?Object.defineProperty(l,c,{value:u,enumerable:!0,configurable:!0,writable:!0}):l[c]=u,l)};return e(n.tag,(0,a.mergeData)(r,d),o)}})},35198:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BMedia:()=>a.BMedia,BMediaAside:()=>r.BMediaAside,BMediaBody:()=>o.BMediaBody,MediaPlugin:()=>i});var a=n(72775),r=n(87272),o=n(68361),i=(0,n(11638).pluginFactory)({components:{BMedia:a.BMedia,BMediaAside:r.BMediaAside,BMediaBody:o.BMediaBody}})},87272:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BMediaAside:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451);var s=(0,i.makePropsConfigurable)({right:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div"),verticalAlign:(0,i.makeProp)(o.PROP_TYPE_STRING,"top")},r.NAME_MEDIA_ASIDE),l=(0,a.extend)({name:r.NAME_MEDIA_ASIDE,functional:!0,props:s,render:function(e,t){var n,r,o,i=t.props,s=t.data,l=t.children,c=i.verticalAlign,u="top"===c?"start":"bottom"===c?"end":c;return e(i.tag,(0,a.mergeData)(s,{staticClass:"media-aside",class:(n={"media-aside-right":i.right},r="align-self-".concat(u),o=u,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n)}),l)}})},68361:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BMediaBody:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div")},r.NAME_MEDIA_BODY),l=(0,a.extend)({name:r.NAME_MEDIA_BODY,functional:!0,props:s,render:function(e,t){var n=t.props,r=t.data,o=t.children;return e(n.tag,(0,a.mergeData)(r,{staticClass:"media-body"}),o)}})},72775:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BMedia:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(72345),l=n(20451),c=n(87272),u=n(68361),d=(0,l.makePropsConfigurable)({noBody:(0,l.makeProp)(o.PROP_TYPE_BOOLEAN,!1),rightAlign:(0,l.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,l.makeProp)(o.PROP_TYPE_STRING,"div"),verticalAlign:(0,l.makeProp)(o.PROP_TYPE_STRING,"top")},r.NAME_MEDIA),h=(0,a.extend)({name:r.NAME_MEDIA,functional:!0,props:d,render:function(e,t){var n=t.props,r=t.data,o=t.slots,l=t.scopedSlots,d=t.children,h=n.noBody,f=n.rightAlign,p=n.verticalAlign,m=h?d:[];if(!h){var v={},g=o(),_=l||{};m.push(e(u.BMediaBody,(0,s.normalizeSlot)(i.SLOT_NAME_DEFAULT,v,_,g)));var b=(0,s.normalizeSlot)(i.SLOT_NAME_ASIDE,v,_,g);b&&m[f?"push":"unshift"](e(c.BMediaAside,{props:{right:f,verticalAlign:p}},b))}return e(n.tag,(0,a.mergeData)(r,{staticClass:"media"}),m)}})},39231:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BvModalEvent:()=>m});var a=n(37130),r=n(67040);function o(e){return o="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},o(e)}function i(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function s(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:{};return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,i),t=o.call(this,e,n),(0,r.defineProperties)(f(t),{trigger:(0,r.readonlyDescriptor)()}),t}return t=i,a=[{key:"Defaults",get:function(){return s(s({},u(p(i),"Defaults",this)),{},{trigger:null})}}],(n=null)&&c(t.prototype,n),a&&c(t,a),Object.defineProperty(t,"prototype",{writable:!1}),i}(a.BvEvent)},42169:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVModalPlugin:()=>x});var a=n(94689),r=n(63294),o=n(93319),i=n(11572),s=n(79968),l=n(26410),c=n(28415),u=n(33284),d=n(67040),h=n(11638),f=n(37568),p=n(55789),m=n(91076),v=n(49679);function g(e,t){for(var n=0;ne.length)&&(t=e.length);for(var n=0,a=new Array(t);n2&&void 0!==arguments[2]?arguments[2]:{},l=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;if(n&&!(0,f.warnNoPromiseSupport)(w)&&!(0,f.warnNotClient)(w)&&(0,u.isFunction)(l))return function(e,n){var o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:T;if(!(0,f.warnNotClient)(w)&&!(0,f.warnNoPromiseSupport)(w)){var l=(0,p.createNewChildComponent)(e,t,{propsData:b(b(b({},E((0,s.getComponentConfig)(a.NAME_MODAL))),{},{hideHeaderClose:!0,hideHeader:!(n.title||n.titleHtml)},(0,d.omit)(n,(0,d.keys)(P))),{},{lazy:!1,busy:!1,visible:!1,noStacking:!1,noEnforceFocus:!1})});return(0,d.keys)(P).forEach((function(e){(0,u.isUndefined)(n[e])||(l.$slots[P[e]]=(0,i.concat)(n[e]))})),new Promise((function(e,t){var n=!1;l.$once(r.HOOK_EVENT_NAME_DESTROYED,(function(){n||t(new Error("BootstrapVue MsgBox destroyed before resolve"))})),l.$on(r.EVENT_NAME_HIDE,(function(t){if(!t.defaultPrevented){var a=o(t);t.defaultPrevented||(n=!0,e(a))}}));var a=document.createElement("div");document.body.appendChild(a),l.$mount(a)}))}}(e,b(b({},E(o)),{},{msgBoxContent:n}),l)},h=function(){function e(t){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,e),(0,d.assign)(this,{_vm:t,_root:(0,m.getEventRoot)(t)}),(0,d.defineProperties)(this,{_vm:(0,d.readonlyDescriptor)(),_root:(0,d.readonlyDescriptor)()})}var t,r,o;return t=e,r=[{key:"show",value:function(e){if(e&&this._root){for(var t,n=arguments.length,r=new Array(n>1?n-1:0),o=1;o1?n-1:0),o=1;o1&&void 0!==arguments[1]?arguments[1]:{}),{},{okOnly:!0,okDisabled:!1,hideFooter:!1,msgBoxContent:e});return n(this._vm,e,t,(function(){return!0}))}},{key:"msgBoxConfirm",value:function(e){var t=b(b({},arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}),{},{okOnly:!1,okDisabled:!1,cancelDisabled:!1,hideFooter:!1});return n(this._vm,e,t,(function(e){var t=e.trigger;return"ok"===t||"cancel"!==t&&null}))}}],r&&g(t.prototype,r),o&&g(t,o),Object.defineProperty(t,"prototype",{writable:!1}),e}();e.mixin({beforeCreate:function(){this[B]=new h(this)}}),(0,d.hasOwnProperty)(e.prototype,w)||(0,d.defineProperty)(e.prototype,w,{get:function(){return this&&this[B]||(0,f.warn)('"'.concat(w,'" must be accessed from a Vue instance "this" context.'),a.NAME_MODAL),this[B]}})}}})},26779:(e,t,n)=>{"use strict";n.r(t),n.d(t,{modalManager:()=>l});var a=n(1915),r=n(43935),o=n(26410),i=n(33284),s=n(93954),l=new((0,a.extend)({data:function(){return{modals:[],baseZIndex:null,scrollbarWidth:null,isBodyOverflowing:!1}},computed:{modalCount:function(){return this.modals.length},modalsAreOpen:function(){return this.modalCount>0}},watch:{modalCount:function(e,t){r.IS_BROWSER&&(this.getScrollbarWidth(),e>0&&0===t?(this.checkScrollbar(),this.setScrollbar(),(0,o.addClass)(document.body,"modal-open")):0===e&&t>0&&(this.resetScrollbar(),(0,o.removeClass)(document.body,"modal-open")),(0,o.setAttr)(document.body,"data-modal-open-count",String(e)))},modals:function(e){var t=this;this.checkScrollbar(),(0,o.requestAF)((function(){t.updateModals(e||[])}))}},methods:{registerModal:function(e){e&&-1===this.modals.indexOf(e)&&this.modals.push(e)},unregisterModal:function(e){var t=this.modals.indexOf(e);t>-1&&(this.modals.splice(t,1),e._isBeingDestroyed||e._isDestroyed||this.resetModal(e))},getBaseZIndex:function(){if(r.IS_BROWSER&&(0,i.isNull)(this.baseZIndex)){var e=document.createElement("div");(0,o.addClass)(e,"modal-backdrop"),(0,o.addClass)(e,"d-none"),(0,o.setStyle)(e,"display","none"),document.body.appendChild(e),this.baseZIndex=(0,s.toInteger)((0,o.getCS)(e).zIndex,1040),document.body.removeChild(e)}return this.baseZIndex||1040},getScrollbarWidth:function(){if(r.IS_BROWSER&&(0,i.isNull)(this.scrollbarWidth)){var e=document.createElement("div");(0,o.addClass)(e,"modal-scrollbar-measure"),document.body.appendChild(e),this.scrollbarWidth=(0,o.getBCR)(e).width-e.clientWidth,document.body.removeChild(e)}return this.scrollbarWidth||0},updateModals:function(e){var t=this,n=this.getBaseZIndex(),a=this.getScrollbarWidth();e.forEach((function(e,r){e.zIndex=n+r,e.scrollbarWidth=a,e.isTop=r===t.modals.length-1,e.isBodyOverflowing=t.isBodyOverflowing}))},resetModal:function(e){e&&(e.zIndex=this.getBaseZIndex(),e.isTop=!0,e.isBodyOverflowing=!1)},checkScrollbar:function(){var e=(0,o.getBCR)(document.body),t=e.left,n=e.right;this.isBodyOverflowing=t+n{"use strict";n.r(t),n.d(t,{BModal:()=>a.BModal,ModalPlugin:()=>i});var a=n(49679),r=n(82653),o=n(42169),i=(0,n(11638).pluginFactory)({components:{BModal:a.BModal},directives:{VBModal:r.VBModal},plugins:{BVModalPlugin:o.BVModalPlugin}})},49679:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BModal:()=>q,props:()=>G});var a=n(1915),r=n(94689),o=n(43935),i=n(63294),s=n(63663),l=n(12299),c=n(28112),u=n(90494),d=n(11572),h=n(26410),f=n(28415),p=n(18735),m=n(68265),v=n(33284),g=n(54602),_=n(67040),b=n(63078),y=n(20451),I=n(28492),M=n(73727),w=n(45267),B=n(98596),k=n(43733),T=n(18280),P=n(30051),E=n(15193),x=n(91451),O=n(17100),S=n(95207),A=n(39231),L=n(26779);function C(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function z(e){for(var t=1;t0&&void 0!==arguments[0]&&arguments[0];this.$_observer&&this.$_observer.disconnect(),this.$_observer=null,e&&(this.$_observer=(0,b.observeDom)(this.$refs.content,this.checkModalOverflow.bind(this),W))},updateModel:function(e){e!==this[H]&&this.$emit(V,e)},buildEvent:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return new A.BvModalEvent(e,z(z({cancelable:!1,target:this.$refs.modal||this.$el||null,relatedTarget:null,trigger:null},t),{},{vueTarget:this,componentId:this.modalId}))},show:function(){if(!this.isVisible&&!this.isOpening)if(this.isClosing)this.$once(i.EVENT_NAME_HIDDEN,this.show);else{this.isOpening=!0,this.$_returnFocus=this.$_returnFocus||this.getActiveElement();var e=this.buildEvent(i.EVENT_NAME_SHOW,{cancelable:!0});if(this.emitEvent(e),e.defaultPrevented||this.isVisible)return this.isOpening=!1,void this.updateModel(!1);this.doShow()}},hide:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";if(this.isVisible&&!this.isClosing){this.isClosing=!0;var t=this.buildEvent(i.EVENT_NAME_HIDE,{cancelable:"FORCE"!==e,trigger:e||null});if(e===U?this.$emit(i.EVENT_NAME_OK,t):e===Y?this.$emit(i.EVENT_NAME_CANCEL,t):e===j&&this.$emit(i.EVENT_NAME_CLOSE,t),this.emitEvent(t),t.defaultPrevented||!this.isVisible)return this.isClosing=!1,void this.updateModel(!0);this.setObserver(!1),this.isVisible=!1,this.updateModel(!1)}},toggle:function(e){e&&(this.$_returnFocus=e),this.isVisible?this.hide("toggle"):this.show()},getActiveElement:function(){var e=(0,h.getActiveElement)(o.IS_BROWSER?[document.body]:[]);return e&&e.focus?e:null},doShow:function(){var e=this;L.modalManager.modalsAreOpen&&this.noStacking?this.listenOnRootOnce((0,f.getRootEventName)(r.NAME_MODAL,i.EVENT_NAME_HIDDEN),this.doShow):(L.modalManager.registerModal(this),this.isHidden=!1,this.$nextTick((function(){e.isVisible=!0,e.isOpening=!1,e.updateModel(!0),e.$nextTick((function(){e.setObserver(!0)}))})))},onBeforeEnter:function(){this.isTransitioning=!0,this.setResizeEvent(!0)},onEnter:function(){var e=this;this.isBlock=!0,(0,h.requestAF)((function(){(0,h.requestAF)((function(){e.isShow=!0}))}))},onAfterEnter:function(){var e=this;this.checkModalOverflow(),this.isTransitioning=!1,(0,h.requestAF)((function(){e.emitEvent(e.buildEvent(i.EVENT_NAME_SHOWN)),e.setEnforceFocus(!0),e.$nextTick((function(){e.focusFirst()}))}))},onBeforeLeave:function(){this.isTransitioning=!0,this.setResizeEvent(!1),this.setEnforceFocus(!1)},onLeave:function(){this.isShow=!1},onAfterLeave:function(){var e=this;this.isBlock=!1,this.isTransitioning=!1,this.isModalOverflowing=!1,this.isHidden=!0,this.$nextTick((function(){e.isClosing=!1,L.modalManager.unregisterModal(e),e.returnFocusTo(),e.emitEvent(e.buildEvent(i.EVENT_NAME_HIDDEN))}))},emitEvent:function(e){var t=e.type;this.emitOnRoot((0,f.getRootEventName)(r.NAME_MODAL,t),e,e.componentId),this.$emit(t,e)},onDialogMousedown:function(){var e=this,t=this.$refs.modal;(0,f.eventOn)(t,"mouseup",(function n(a){(0,f.eventOff)(t,"mouseup",n,i.EVENT_OPTIONS_NO_CAPTURE),a.target===t&&(e.ignoreBackdropClick=!0)}),i.EVENT_OPTIONS_NO_CAPTURE)},onClickOut:function(e){this.ignoreBackdropClick?this.ignoreBackdropClick=!1:this.isVisible&&!this.noCloseOnBackdrop&&(0,h.contains)(document.body,e.target)&&((0,h.contains)(this.$refs.content,e.target)||this.hide("backdrop"))},onOk:function(){this.hide(U)},onCancel:function(){this.hide(Y)},onClose:function(){this.hide(j)},onEsc:function(e){e.keyCode===s.CODE_ESC&&this.isVisible&&!this.noCloseOnEsc&&this.hide("esc")},focusHandler:function(e){var t=this.$refs.content,n=e.target;if(!(this.noEnforceFocus||!this.isTop||!this.isVisible||!t||document===n||(0,h.contains)(t,n)||this.computeIgnoreEnforceFocusSelector&&(0,h.closest)(this.computeIgnoreEnforceFocusSelector,n,!0))){var a=(0,h.getTabables)(this.$refs.content),r=this.$refs["bottom-trap"],o=this.$refs["top-trap"];if(r&&n===r){if((0,h.attemptFocus)(a[0]))return}else if(o&&n===o&&(0,h.attemptFocus)(a[a.length-1]))return;(0,h.attemptFocus)(t,{preventScroll:!0})}},setEnforceFocus:function(e){this.listenDocument(e,"focusin",this.focusHandler)},setResizeEvent:function(e){this.listenWindow(e,"resize",this.checkModalOverflow),this.listenWindow(e,"orientationchange",this.checkModalOverflow)},showHandler:function(e,t){e===this.modalId&&(this.$_returnFocus=t||this.getActiveElement(),this.show())},hideHandler:function(e){e===this.modalId&&this.hide("event")},toggleHandler:function(e,t){e===this.modalId&&this.toggle(t)},modalListener:function(e){this.noStacking&&e.vueTarget!==this&&this.hide()},focusFirst:function(){var e=this;o.IS_BROWSER&&(0,h.requestAF)((function(){var t=e.$refs.modal,n=e.$refs.content,a=e.getActiveElement();if(t&&n&&(!a||!(0,h.contains)(n,a))){var r=e.$refs["ok-button"],o=e.$refs["cancel-button"],i=e.$refs["close-button"],s=e.autoFocusButton,l=s===U&&r?r.$el||r:s===Y&&o?o.$el||o:s===j&&i?i.$el||i:n;(0,h.attemptFocus)(l),l===n&&e.$nextTick((function(){t.scrollTop=0}))}}))},returnFocusTo:function(){var e=this.returnFocus||this.$_returnFocus||null;this.$_returnFocus=null,this.$nextTick((function(){(e=(0,v.isString)(e)?(0,h.select)(e):e)&&(e=e.$el||e,(0,h.attemptFocus)(e))}))},checkModalOverflow:function(){if(this.isVisible){var e=this.$refs.modal;this.isModalOverflowing=e.scrollHeight>document.documentElement.clientHeight}},makeModal:function(e){var t=e();if(!this.hideHeader){var n=this.normalizeSlot(u.SLOT_NAME_MODAL_HEADER,this.slotScope);if(!n){var r=e();this.hideHeaderClose||(r=e(x.BButtonClose,{props:{content:this.headerCloseContent,disabled:this.isTransitioning,ariaLabel:this.headerCloseLabel,textVariant:this.headerCloseVariant||this.headerTextVariant},on:{click:this.onClose},ref:"close-button"},[this.normalizeSlot(u.SLOT_NAME_MODAL_HEADER_CLOSE)])),n=[e(this.titleTag,{staticClass:"modal-title",class:this.titleClasses,attrs:{id:this.modalTitleId},domProps:this.hasNormalizedSlot(u.SLOT_NAME_MODAL_TITLE)?{}:(0,p.htmlOrText)(this.titleHtml,this.title)},this.normalizeSlot(u.SLOT_NAME_MODAL_TITLE,this.slotScope)),r]}t=e(this.headerTag,{staticClass:"modal-header",class:this.headerClasses,attrs:{id:this.modalHeaderId},ref:"header"},[n])}var o=e("div",{staticClass:"modal-body",class:this.bodyClasses,attrs:{id:this.modalBodyId},ref:"body"},this.normalizeSlot(u.SLOT_NAME_DEFAULT,this.slotScope)),i=e();if(!this.hideFooter){var s=this.normalizeSlot(u.SLOT_NAME_MODAL_FOOTER,this.slotScope);if(!s){var l=e();this.okOnly||(l=e(E.BButton,{props:{variant:this.cancelVariant,size:this.buttonSize,disabled:this.cancelDisabled||this.busy||this.isTransitioning},domProps:this.hasNormalizedSlot(u.SLOT_NAME_MODAL_CANCEL)?{}:(0,p.htmlOrText)(this.cancelTitleHtml,this.cancelTitle),on:{click:this.onCancel},ref:"cancel-button"},this.normalizeSlot(u.SLOT_NAME_MODAL_CANCEL))),s=[l,e(E.BButton,{props:{variant:this.okVariant,size:this.buttonSize,disabled:this.okDisabled||this.busy||this.isTransitioning},domProps:this.hasNormalizedSlot(u.SLOT_NAME_MODAL_OK)?{}:(0,p.htmlOrText)(this.okTitleHtml,this.okTitle),on:{click:this.onOk},ref:"ok-button"},this.normalizeSlot(u.SLOT_NAME_MODAL_OK))]}i=e(this.footerTag,{staticClass:"modal-footer",class:this.footerClasses,attrs:{id:this.modalFooterId},ref:"footer"},[s])}var c=e("div",{staticClass:"modal-content",class:this.contentClass,attrs:{id:this.modalContentId,tabindex:"-1"},ref:"content"},[t,o,i]),d=e(),h=e();this.isVisible&&!this.noEnforceFocus&&(d=e("span",{attrs:{tabindex:"0"},ref:"top-trap"}),h=e("span",{attrs:{tabindex:"0"},ref:"bottom-trap"}));var f=e("div",{staticClass:"modal-dialog",class:this.dialogClasses,on:{mousedown:this.onDialogMousedown},ref:"dialog"},[d,c,h]),m=e("div",{staticClass:"modal",class:this.modalClasses,style:this.modalStyles,attrs:this.computedModalAttrs,on:{keydown:this.onEsc,click:this.onClickOut},directives:[{name:"show",value:this.isVisible}],ref:"modal"},[f]);m=e("transition",{props:{enterClass:"",enterToClass:"",enterActiveClass:"",leaveClass:"",leaveActiveClass:"",leaveToClass:""},on:{beforeEnter:this.onBeforeEnter,enter:this.onEnter,afterEnter:this.onAfterEnter,beforeLeave:this.onBeforeLeave,leave:this.onLeave,afterLeave:this.onAfterLeave}},[m]);var v=e();return!this.hideBackdrop&&this.isVisible&&(v=e("div",{staticClass:"modal-backdrop",attrs:{id:this.modalBackdropId}},this.normalizeSlot(u.SLOT_NAME_MODAL_BACKDROP))),v=e(O.BVTransition,{props:{noFade:this.noFade}},[v]),e("div",{style:this.modalOuterStyle,attrs:this.computedAttrs,key:"modal-outer-".concat(this[a.COMPONENT_UID_KEY])},[m,v])}},render:function(e){return this.static?this.lazy&&this.isHidden?e():this.makeModal(e):this.isHidden?e():e(S.BVTransporter,[this.makeModal(e)])}})},53156:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNav:()=>a.BNav,BNavForm:()=>i.BNavForm,BNavItem:()=>r.BNavItem,BNavItemDropdown:()=>s.BNavItemDropdown,BNavText:()=>o.BNavText,NavPlugin:()=>c});var a=n(29027),r=n(32450),o=n(73064),i=n(77089),s=n(26221),l=n(25952),c=(0,n(11638).pluginFactory)({components:{BNav:a.BNav,BNavItem:r.BNavItem,BNavText:o.BNavText,BNavForm:i.BNavForm,BNavItemDropdown:s.BNavItemDropdown,BNavItemDd:s.BNavItemDropdown,BNavDropdown:s.BNavItemDropdown,BNavDd:s.BNavItemDropdown},plugins:{DropdownPlugin:l.DropdownPlugin}})},77089:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNavForm:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(54909);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BNavItemDropdown:()=>y,props:()=>b});var a=n(1915),r=n(94689),o=n(90494),i=n(18735),s=n(67040),l=n(20451),c=n(87649),u=n(73727),d=n(18280),h=n(31642),f=n(67347);function p(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n{"use strict";n.r(t),n.d(t,{BNavItem:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(67347);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BNavText:()=>i,props:()=>o});var a=n(1915),r=n(94689),o={},i=(0,a.extend)({name:r.NAME_NAV_TEXT,functional:!0,props:o,render:function(e,t){var n=t.data,r=t.children;return e("li",(0,a.mergeData)(n,{staticClass:"navbar-text"}),r)}})},29027:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNav:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(20451);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var l=(0,i.makePropsConfigurable)({align:(0,i.makeProp)(o.PROP_TYPE_STRING),cardHeader:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),fill:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),justified:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),pills:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),small:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tabs:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"ul"),vertical:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_NAV),c=(0,a.extend)({name:r.NAME_NAV,functional:!0,props:l,render:function(e,t){var n,r,o=t.props,i=t.data,l=t.children,c=o.tabs,u=o.pills,d=o.vertical,h=o.align,f=o.cardHeader;return e(o.tag,(0,a.mergeData)(i,{staticClass:"nav",class:(n={"nav-tabs":c,"nav-pills":u&&!c,"card-header-tabs":!d&&f&&c,"card-header-pills":!d&&f&&u&&!c,"flex-column":d,"nav-fill":!d&&o.fill,"nav-justified":!d&&o.justified},s(n,(r=h,"justify-content-".concat(r="left"===r?"start":"right"===r?"end":r)),!d&&h),s(n,"small",o.small),n)}),l)}})},55739:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNavbar:()=>a.BNavbar,BNavbarBrand:()=>o.BNavbarBrand,BNavbarNav:()=>r.BNavbarNav,BNavbarToggle:()=>i.BNavbarToggle,NavbarPlugin:()=>u});var a=n(71603),r=n(29852),o=n(19189),i=n(87445),s=n(53156),l=n(31586),c=n(25952),u=(0,n(11638).pluginFactory)({components:{BNavbar:a.BNavbar,BNavbarNav:r.BNavbarNav,BNavbarBrand:o.BNavbarBrand,BNavbarToggle:i.BNavbarToggle,BNavToggle:i.BNavbarToggle},plugins:{NavPlugin:s.NavPlugin,CollapsePlugin:l.CollapsePlugin,DropdownPlugin:c.DropdownPlugin}})},19189:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNavbarBrand:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(67347);function c(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function u(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BNavbarNav:()=>u,props:()=>c});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(29027);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c=(0,i.makePropsConfigurable)((0,o.pick)(s.props,["tag","fill","justified","align","small"]),r.NAME_NAVBAR_NAV),u=(0,a.extend)({name:r.NAME_NAVBAR_NAV,functional:!0,props:c,render:function(e,t){var n,r,o=t.props,i=t.data,s=t.children,c=o.align;return e(o.tag,(0,a.mergeData)(i,{staticClass:"navbar-nav",class:(n={"nav-fill":o.fill,"nav-justified":o.justified},l(n,(r=c,"justify-content-".concat(r="left"===r?"start":"right"===r?"end":r)),c),l(n,"small",o.small),n)}),s)}})},87445:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNavbarToggle:()=>g,props:()=>v});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(28415),c=n(20451),u=n(98596),d=n(18280),h=n(43028),f="navbar-toggler",p=(0,l.getRootEventName)(r.NAME_COLLAPSE,"state"),m=(0,l.getRootEventName)(r.NAME_COLLAPSE,"sync-state"),v=(0,c.makePropsConfigurable)({disabled:(0,c.makeProp)(i.PROP_TYPE_BOOLEAN,!1),label:(0,c.makeProp)(i.PROP_TYPE_STRING,"Toggle navigation"),target:(0,c.makeProp)(i.PROP_TYPE_ARRAY_STRING,void 0,!0)},r.NAME_NAVBAR_TOGGLE),g=(0,a.extend)({name:r.NAME_NAVBAR_TOGGLE,directives:{VBToggle:h.VBToggle},mixins:[u.listenOnRootMixin,d.normalizeSlotMixin],props:v,data:function(){return{toggleState:!1}},created:function(){this.listenOnRoot(p,this.handleStateEvent),this.listenOnRoot(m,this.handleStateEvent)},methods:{onClick:function(e){this.disabled||this.$emit(o.EVENT_NAME_CLICK,e)},handleStateEvent:function(e,t){e===this.target&&(this.toggleState=t)}},render:function(e){var t=this.disabled;return e("button",{staticClass:f,class:{disabled:t},directives:[{name:"VBToggle",value:this.target}],attrs:{type:"button",disabled:t,"aria-label":this.label},on:{click:this.onClick}},[this.normalizeSlot(s.SLOT_NAME_DEFAULT,{expanded:this.toggleState})||e("span",{staticClass:"".concat(f,"-icon")})])}})},71603:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BNavbar:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(79968),s=n(26410),l=n(33284),c=n(20451),u=n(18280);function d(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h=(0,c.makePropsConfigurable)({fixed:(0,c.makeProp)(o.PROP_TYPE_STRING),print:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),sticky:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,c.makeProp)(o.PROP_TYPE_STRING,"nav"),toggleable:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN_STRING,!1),type:(0,c.makeProp)(o.PROP_TYPE_STRING,"light"),variant:(0,c.makeProp)(o.PROP_TYPE_STRING)},r.NAME_NAVBAR),f=(0,a.extend)({name:r.NAME_NAVBAR,mixins:[u.normalizeSlotMixin],provide:function(){var e=this;return{getBvNavbar:function(){return e}}},props:h,computed:{breakpointClass:function(){var e=this.toggleable,t=(0,i.getBreakpoints)()[0],n=null;return e&&(0,l.isString)(e)&&e!==t?n="navbar-expand-".concat(e):!1===e&&(n="navbar-expand"),n}},render:function(e){var t,n=this.tag,a=this.type,r=this.variant,o=this.fixed;return e(n,{staticClass:"navbar",class:[(t={"d-print":this.print,"sticky-top":this.sticky},d(t,"navbar-".concat(a),a),d(t,"bg-".concat(r),r),d(t,"fixed-".concat(o),o),t),this.breakpointClass],attrs:{role:(0,s.isTag)(n,"nav")?null:"navigation"}},[this.normalizeSlot()])}})},98812:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BOverlay:()=>a.BOverlay,OverlayPlugin:()=>r});var a=n(66126),r=(0,n(11638).pluginFactory)({components:{BOverlay:a.BOverlay}})},66126:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BOverlay:()=>_,props:()=>g});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(93954),c=n(18280),u=n(20451),d=n(1759),h=n(17100);function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function p(e){for(var t=1;t=0&&t<=1})),overlayTag:(0,u.makeProp)(i.PROP_TYPE_STRING,"div"),rounded:(0,u.makeProp)(i.PROP_TYPE_BOOLEAN_STRING,!1),show:(0,u.makeProp)(i.PROP_TYPE_BOOLEAN,!1),spinnerSmall:(0,u.makeProp)(i.PROP_TYPE_BOOLEAN,!1),spinnerType:(0,u.makeProp)(i.PROP_TYPE_STRING,"border"),spinnerVariant:(0,u.makeProp)(i.PROP_TYPE_STRING),variant:(0,u.makeProp)(i.PROP_TYPE_STRING,"light"),wrapTag:(0,u.makeProp)(i.PROP_TYPE_STRING,"div"),zIndex:(0,u.makeProp)(i.PROP_TYPE_NUMBER_STRING,10)},r.NAME_OVERLAY),_=(0,a.extend)({name:r.NAME_OVERLAY,mixins:[c.normalizeSlotMixin],props:g,computed:{computedRounded:function(){var e=this.rounded;return!0===e||""===e?"rounded":e?"rounded-".concat(e):""},computedVariant:function(){var e=this.variant;return e&&!this.bgColor?"bg-".concat(e):""},slotScope:function(){return{spinnerType:this.spinnerType||null,spinnerVariant:this.spinnerVariant||null,spinnerSmall:this.spinnerSmall}}},methods:{defaultOverlayFn:function(e){var t=e.spinnerType,n=e.spinnerVariant,a=e.spinnerSmall;return this.$createElement(d.BSpinner,{props:{type:t,variant:n,small:a}})}},render:function(e){var t=this,n=this.show,a=this.fixed,r=this.noFade,i=this.noWrap,l=this.slotScope,c=e();if(n){var u=e("div",{staticClass:"position-absolute",class:[this.computedVariant,this.computedRounded],style:p(p({},v),{},{opacity:this.opacity,backgroundColor:this.bgColor||null,backdropFilter:this.blur?"blur(".concat(this.blur,")"):null})}),d=e("div",{staticClass:"position-absolute",style:this.noCenter?p({},v):{top:"50%",left:"50%",transform:"translateX(-50%) translateY(-50%)"}},[this.normalizeSlot(s.SLOT_NAME_OVERLAY,l)||this.defaultOverlayFn(l)]);c=e(this.overlayTag,{staticClass:"b-overlay",class:{"position-absolute":!i||i&&!a,"position-fixed":i&&a},style:p(p({},v),{},{zIndex:this.zIndex||10}),on:{click:function(e){return t.$emit(o.EVENT_NAME_CLICK,e)}},key:"overlay"},[u,d])}return c=e(h.BVTransition,{props:{noFade:r,appear:!0},on:{"after-enter":function(){return t.$emit(o.EVENT_NAME_SHOWN)},"after-leave":function(){return t.$emit(o.EVENT_NAME_HIDDEN)}}},[c]),i?c:e(this.wrapTag,{staticClass:"b-overlay-wrap position-relative",attrs:{"aria-busy":n?"true":null}},i?[c]:[this.normalizeSlot(),c])}})},11856:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPaginationNav:()=>a.BPaginationNav,PaginationNavPlugin:()=>r});var a=n(86918),r=(0,n(11638).pluginFactory)({components:{BPaginationNav:a.BPaginationNav}})},86918:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPaginationNav:()=>P,sanitizeNumberOfPages:()=>B});var a=n(1915),r=n(94689),o=n(43935),i=n(63294),s=n(12299),l=n(37130),c=n(26410),u=n(33284),d=n(3058),h=n(21578),f=n(93954),p=n(67040),m=n(20451),v=n(30488),g=n(46595),_=n(37568),b=n(29878),y=n(67347);function I(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function M(e){for(var t=1;t0?this.localNumberOfPages=this.pages.length:this.localNumberOfPages=B(this.numberOfPages),this.$nextTick((function(){e.guessCurrentPage()}))},onClick:function(e,t){var n=this;if(t!==this.currentPage){var a=e.currentTarget||e.target,r=new l.BvEvent(i.EVENT_NAME_PAGE_CLICK,{cancelable:!0,vueTarget:this,target:a});this.$emit(r.type,r,t),r.defaultPrevented||((0,c.requestAF)((function(){n.currentPage=t,n.$emit(i.EVENT_NAME_CHANGE,t)})),this.$nextTick((function(){(0,c.attemptBlur)(a)})))}},getPageInfo:function(e){if(!(0,u.isArray)(this.pages)||0===this.pages.length||(0,u.isUndefined)(this.pages[e-1])){var t="".concat(this.baseUrl).concat(e);return{link:this.useRouter?{path:t}:t,text:(0,g.toString)(e)}}var n=this.pages[e-1];if((0,u.isObject)(n)){var a=n.link;return{link:(0,u.isObject)(a)?a:this.useRouter?{path:a}:a,text:(0,g.toString)(n.text||e)}}return{link:(0,g.toString)(n),text:(0,g.toString)(e)}},makePage:function(e){var t=this.pageGen,n=this.getPageInfo(e);return(0,m.hasPropFunction)(t)?t(e,n):n.text},makeLink:function(e){var t=this.linkGen,n=this.getPageInfo(e);return(0,m.hasPropFunction)(t)?t(e,n):n.link},linkProps:function(e){var t=(0,m.pluckProps)(k,this),n=this.makeLink(e);return this.useRouter||(0,u.isObject)(n)?t.to=n:t.href=n,t},resolveLink:function(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";try{(e=document.createElement("a")).href=(0,v.computeHref)({to:t},"a","/","/"),document.body.appendChild(e);var n=e,a=n.pathname,r=n.hash,o=n.search;return document.body.removeChild(e),{path:a,hash:r,query:(0,v.parseQuery)(o)}}catch(t){try{e&&e.parentNode&&e.parentNode.removeChild(e)}catch(e){}return{}}},resolveRoute:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";try{var t=this.$router.resolve(e,this.$route).route;return{path:t.path,hash:t.hash,query:t.query}}catch(e){return{}}},guessCurrentPage:function(){var e=this.$router,t=this.$route,n=this.computedValue;if(!this.noPageDetect&&!n&&(o.IS_BROWSER||!o.IS_BROWSER&&e))for(var a=e&&t?{path:t.path,hash:t.hash,query:t.query}:{},r=o.IS_BROWSER?window.location||document.location:null,i=r?{path:r.pathname,hash:r.hash,query:(0,v.parseQuery)(r.search)}:{},s=1;!n&&s<=this.localNumberOfPages;s++){var l=this.makeLink(s);n=e&&((0,u.isObject)(l)||this.useRouter)?(0,d.looseEqual)(this.resolveRoute(l),a)?s:null:o.IS_BROWSER?(0,d.looseEqual)(this.resolveLink(l),i)?s:null:-1}this.currentPage=n>0?n:0}}})},1781:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPagination:()=>a.BPagination,PaginationPlugin:()=>r});var a=n(10962),r=(0,n(11638).pluginFactory)({components:{BPagination:a.BPagination}})},10962:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPagination:()=>I,props:()=>y});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(37130),l=n(26410),c=n(33284),u=n(21578),d=n(93954),h=n(67040),f=n(20451),p=n(29878);function m(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function v(e){for(var t=1;te.numberOfPages)&&(this.currentPage=1),this.localNumberOfPages=e.numberOfPages}},created:function(){var e=this;this.localNumberOfPages=this.numberOfPages;var t=(0,d.toInteger)(this[p.MODEL_PROP_NAME],0);t>0?this.currentPage=t:this.$nextTick((function(){e.currentPage=0}))},methods:{onClick:function(e,t){var n=this;if(t!==this.currentPage){var a=e.target,r=new s.BvEvent(o.EVENT_NAME_PAGE_CLICK,{cancelable:!0,vueTarget:this,target:a});this.$emit(r.type,r,t),r.defaultPrevented||(this.currentPage=t,this.$emit(o.EVENT_NAME_CHANGE,this.currentPage),this.$nextTick((function(){(0,l.isVisible)(a)&&n.$el.contains(a)?(0,l.attemptFocus)(a):n.focusCurrent()})))}},makePage:function(e){return e},linkProps:function(){return{}}}})},35535:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVPopoverTemplate:()=>s});var a=n(1915),r=n(94689),o=n(33284),i=n(91185),s=(0,a.extend)({name:r.NAME_POPOVER_TEMPLATE,extends:i.BVTooltipTemplate,computed:{templateType:function(){return"popover"}},methods:{renderTemplate:function(e){var t=this.title,n=this.content,a=(0,o.isFunction)(t)?t({}):t,r=(0,o.isFunction)(n)?n({}):n,i=this.html&&!(0,o.isFunction)(t)?{innerHTML:t}:{},s=this.html&&!(0,o.isFunction)(n)?{innerHTML:n}:{};return e("div",{staticClass:"popover b-popover",class:this.templateClasses,attrs:this.templateAttributes,on:this.templateListeners},[e("div",{staticClass:"arrow",ref:"arrow"}),(0,o.isUndefinedOrNull)(a)||""===a?e():e("h3",{staticClass:"popover-header",domProps:i},[a]),(0,o.isUndefinedOrNull)(r)||""===r?e():e("div",{staticClass:"popover-body",domProps:s},[r])])}}})},56893:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVPopover:()=>s});var a=n(1915),r=n(94689),o=n(40960),i=n(35535),s=(0,a.extend)({name:r.NAME_POPOVER_HELPER,extends:o.BVTooltip,computed:{templateType:function(){return"popover"}},methods:{getTemplate:function(){return i.BVPopoverTemplate}}})},71868:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPopover:()=>a.BPopover,PopoverPlugin:()=>o});var a=n(53862),r=n(68969),o=(0,n(11638).pluginFactory)({components:{BPopover:a.BPopover},plugins:{VBPopoverPlugin:r.VBPopoverPlugin}})},53862:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BPopover:()=>v,props:()=>m});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(90494),l=n(20451),c=n(18365),u=n(56893),d=n(67040);function h(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function f(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BProgress:()=>a.BProgress,BProgressBar:()=>r.BProgressBar,ProgressPlugin:()=>o});var a=n(45752),r=n(22981),o=(0,n(11638).pluginFactory)({components:{BProgress:a.BProgress,BProgressBar:r.BProgressBar}})},22981:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BProgressBar:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(18735),s=n(33284),l=n(21578),c=n(93954),u=n(20451),d=n(46595),h=n(18280),f=(0,u.makePropsConfigurable)({animated:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,null),label:(0,u.makeProp)(o.PROP_TYPE_STRING),labelHtml:(0,u.makeProp)(o.PROP_TYPE_STRING),max:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,null),precision:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,null),showProgress:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,null),showValue:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,null),striped:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,null),value:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,0),variant:(0,u.makeProp)(o.PROP_TYPE_STRING)},r.NAME_PROGRESS_BAR),p=(0,a.extend)({name:r.NAME_PROGRESS_BAR,mixins:[h.normalizeSlotMixin],inject:{getBvProgress:{default:function(){return function(){return{}}}}},props:f,computed:{bvProgress:function(){return this.getBvProgress()},progressBarClasses:function(){var e=this.computedAnimated,t=this.computedVariant;return[t?"bg-".concat(t):"",this.computedStriped||e?"progress-bar-striped":"",e?"progress-bar-animated":""]},progressBarStyles:function(){return{width:this.computedValue/this.computedMax*100+"%"}},computedValue:function(){return(0,c.toFloat)(this.value,0)},computedMax:function(){var e=(0,c.toFloat)(this.max)||(0,c.toFloat)(this.bvProgress.max,0);return e>0?e:100},computedPrecision:function(){return(0,l.mathMax)((0,c.toInteger)(this.precision,(0,c.toInteger)(this.bvProgress.precision,0)),0)},computedProgress:function(){var e=this.computedPrecision,t=(0,l.mathPow)(10,e);return(0,c.toFixed)(100*t*this.computedValue/this.computedMax/t,e)},computedVariant:function(){return this.variant||this.bvProgress.variant},computedStriped:function(){return(0,s.isBoolean)(this.striped)?this.striped:this.bvProgress.striped||!1},computedAnimated:function(){return(0,s.isBoolean)(this.animated)?this.animated:this.bvProgress.animated||!1},computedShowProgress:function(){return(0,s.isBoolean)(this.showProgress)?this.showProgress:this.bvProgress.showProgress||!1},computedShowValue:function(){return(0,s.isBoolean)(this.showValue)?this.showValue:this.bvProgress.showValue||!1}},render:function(e){var t,n=this.label,a=this.labelHtml,r=this.computedValue,o=this.computedPrecision,s={};return this.hasNormalizedSlot()?t=this.normalizeSlot():n||a?s=(0,i.htmlOrText)(a,n):this.computedShowProgress?t=this.computedProgress:this.computedShowValue&&(t=(0,c.toFixed)(r,o)),e("div",{staticClass:"progress-bar",class:this.progressBarClasses,style:this.progressBarStyles,attrs:{role:"progressbar","aria-valuemin":"0","aria-valuemax":(0,d.toString)(this.computedMax),"aria-valuenow":(0,c.toFixed)(r,o)},domProps:s},t)}})},45752:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BProgress:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(67040),s=n(20451),l=n(18280),c=n(22981);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BSidebar:()=>a.BSidebar,SidebarPlugin:()=>o});var a=n(6675),r=n(7351),o=(0,n(11638).pluginFactory)({components:{BSidebar:a.BSidebar},plugins:{VBTogglePlugin:r.VBTogglePlugin}})},6675:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSidebar:()=>Y,props:()=>D});var a,r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(63663),c=n(12299),u=n(90494),d=n(26410),h=n(28415),f=n(54602),p=n(67040),m=n(20451),v=n(28492),g=n(73727),_=n(98596),b=n(18280),y=n(7543),I=n(91451),M=n(17100);function w(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function B(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};this.noCloseOnRouteChange||e.fullPath===t.fullPath||this.hide()})),a),created:function(){this.$_returnFocusEl=null},mounted:function(){var e=this;this.listenOnRoot(E,this.handleToggle),this.listenOnRoot(P,this.handleSync),this.$nextTick((function(){e.emitState(e.localShow)}))},activated:function(){this.emitSync()},beforeDestroy:function(){this.localShow=!1,this.$_returnFocusEl=null},methods:{hide:function(){this.localShow=!1},emitState:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.localShow;this.emitOnRoot(x,this.safeId(),e)},emitSync:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.localShow;this.emitOnRoot(O,this.safeId(),e)},handleToggle:function(e){e&&e===this.safeId()&&(this.localShow=!this.localShow)},handleSync:function(e){var t=this;e&&e===this.safeId()&&this.$nextTick((function(){t.emitSync(t.localShow)}))},onKeydown:function(e){var t=e.keyCode;!this.noCloseOnEsc&&t===l.CODE_ESC&&this.localShow&&this.hide()},onBackdropClick:function(){this.localShow&&!this.noCloseOnBackdrop&&this.hide()},onTopTrapFocus:function(){var e=(0,d.getTabables)(this.$refs.content);this.enforceFocus(e.reverse()[0])},onBottomTrapFocus:function(){var e=(0,d.getTabables)(this.$refs.content);this.enforceFocus(e[0])},onBeforeEnter:function(){this.$_returnFocusEl=(0,d.getActiveElement)(i.IS_BROWSER?[document.body]:[]),this.isOpen=!0},onAfterEnter:function(e){(0,d.contains)(e,(0,d.getActiveElement)())||this.enforceFocus(e),this.$emit(s.EVENT_NAME_SHOWN)},onAfterLeave:function(){this.enforceFocus(this.$_returnFocusEl),this.$_returnFocusEl=null,this.isOpen=!1,this.$emit(s.EVENT_NAME_HIDDEN)},enforceFocus:function(e){this.noEnforceFocus||(0,d.attemptFocus)(e)}},render:function(e){var t,n=this.bgVariant,a=this.width,r=this.textVariant,o=this.localShow,i=""===this.shadow||this.shadow,s=e(this.tag,{staticClass:T,class:[(t={shadow:!0===i},k(t,"shadow-".concat(i),i&&!0!==i),k(t,"".concat(T,"-right"),this.right),k(t,"bg-".concat(n),n),k(t,"text-".concat(r),r),t),this.sidebarClass],style:{width:a},attrs:this.computedAttrs,directives:[{name:"show",value:o}],ref:"content"},[H(e,this)]);s=e("transition",{props:this.transitionProps,on:{beforeEnter:this.onBeforeEnter,afterEnter:this.onAfterEnter,afterLeave:this.onAfterLeave}},[s]);var l=e(M.BVTransition,{props:{noFade:this.noSlide}},[V(e,this)]),c=e(),u=e();return this.backdrop&&o&&(c=e("div",{attrs:{tabindex:"0"},on:{focus:this.onTopTrapFocus}}),u=e("div",{attrs:{tabindex:"0"},on:{focus:this.onBottomTrapFocus}})),e("div",{staticClass:"b-sidebar-outer",style:{zIndex:this.zIndex},attrs:{tabindex:"-1"},on:{keydown:this.onKeydown}},[c,s,u,l])}})},87140:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSkeleton:()=>r.BSkeleton,BSkeletonIcon:()=>o.BSkeletonIcon,BSkeletonImg:()=>i.BSkeletonImg,BSkeletonTable:()=>s.BSkeletonTable,BSkeletonWrapper:()=>l.BSkeletonWrapper,SkeletonPlugin:()=>c});var a=n(11638),r=n(14777),o=n(69049),i=n(1830),s=n(4006),l=n(46499),c=(0,a.pluginFactory)({components:{BSkeleton:r.BSkeleton,BSkeletonIcon:o.BSkeletonIcon,BSkeletonImg:i.BSkeletonImg,BSkeletonTable:s.BSkeletonTable,BSkeletonWrapper:l.BSkeletonWrapper}})},69049:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSkeletonIcon:()=>h,props:()=>d});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(29699);function l(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function c(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BSkeletonImg:()=>u,props:()=>c});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(74278),l=n(14777);var c=(0,i.makePropsConfigurable)({animation:(0,i.makeProp)(o.PROP_TYPE_STRING),aspect:(0,i.makeProp)(o.PROP_TYPE_STRING,"16:9"),cardImg:(0,i.makeProp)(o.PROP_TYPE_STRING),height:(0,i.makeProp)(o.PROP_TYPE_STRING),noAspect:(0,i.makeProp)(o.PROP_TYPE_BOOLEAN,!1),variant:(0,i.makeProp)(o.PROP_TYPE_STRING),width:(0,i.makeProp)(o.PROP_TYPE_STRING)},r.NAME_SKELETON_IMG),u=(0,a.extend)({name:r.NAME_SKELETON_IMG,functional:!0,props:c,render:function(e,t){var n,r,o,i=t.data,c=t.props,u=c.aspect,d=c.width,h=c.height,f=c.animation,p=c.variant,m=c.cardImg,v=e(l.BSkeleton,(0,a.mergeData)(i,{props:{type:"img",width:d,height:h,animation:f,variant:p},class:(n={},r="card-img-".concat(m),o=m,r in n?Object.defineProperty(n,r,{value:o,enumerable:!0,configurable:!0,writable:!0}):n[r]=o,n)}));return c.noAspect?v:e(s.BAspect,{props:{aspect:u}},[v])}})},4006:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSkeletonTable:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(11572),s=n(20451),l=n(14777),c=n(56778);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t0},p=(0,s.makePropsConfigurable)({animation:(0,s.makeProp)(o.PROP_TYPE_STRING),columns:(0,s.makeProp)(o.PROP_TYPE_NUMBER,5,f),hideHeader:(0,s.makeProp)(o.PROP_TYPE_BOOLEAN,!1),rows:(0,s.makeProp)(o.PROP_TYPE_NUMBER,3,f),showFooter:(0,s.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tableProps:(0,s.makeProp)(o.PROP_TYPE_OBJECT,{})},r.NAME_SKELETON_TABLE),m=(0,a.extend)({name:r.NAME_SKELETON_TABLE,functional:!0,props:p,render:function(e,t){var n=t.data,r=t.props,o=r.animation,s=r.columns,u=e("th",[e(l.BSkeleton,{props:{animation:o}})]),h=e("tr",(0,i.createArray)(s,u)),f=e("td",[e(l.BSkeleton,{props:{width:"75%",animation:o}})]),p=e("tr",(0,i.createArray)(s,f)),m=e("tbody",(0,i.createArray)(r.rows,p)),v=r.hideHeader?e():e("thead",[h]),g=r.showFooter?e("tfoot",[h]):e();return e(c.BTableSimple,(0,a.mergeData)(n,{props:d({},r.tableProps)}),[v,m,g])}})},46499:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSkeletonWrapper:()=>u,props:()=>c});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(72345),l=n(20451),c=(0,l.makePropsConfigurable)({loading:(0,l.makeProp)(o.PROP_TYPE_BOOLEAN,!1)},r.NAME_SKELETON_WRAPPER),u=(0,a.extend)({name:r.NAME_SKELETON_WRAPPER,functional:!0,props:c,render:function(e,t){var n=t.data,r=t.props,o=t.slots,l=t.scopedSlots,c=o(),u=l||{},d={};return r.loading?e("div",(0,a.mergeData)(n,{attrs:{role:"alert","aria-live":"polite","aria-busy":!0},staticClass:"b-skeleton-wrapper",key:"loading"}),(0,s.normalizeSlot)(i.SLOT_NAME_LOADING,d,u,c)):(0,s.normalizeSlot)(i.SLOT_NAME_DEFAULT,d,u,c)}})},14777:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSkeleton:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(12299),i=n(20451);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var l=(0,i.makePropsConfigurable)({animation:(0,i.makeProp)(o.PROP_TYPE_STRING,"wave"),height:(0,i.makeProp)(o.PROP_TYPE_STRING),size:(0,i.makeProp)(o.PROP_TYPE_STRING),type:(0,i.makeProp)(o.PROP_TYPE_STRING,"text"),variant:(0,i.makeProp)(o.PROP_TYPE_STRING),width:(0,i.makeProp)(o.PROP_TYPE_STRING)},r.NAME_SKELETON),c=(0,a.extend)({name:r.NAME_SKELETON,functional:!0,props:l,render:function(e,t){var n,r=t.data,o=t.props,i=o.size,l=o.animation,c=o.variant;return e("div",(0,a.mergeData)(r,{staticClass:"b-skeleton",style:{width:i||o.width,height:i||o.height},class:(n={},s(n,"b-skeleton-".concat(o.type),!0),s(n,"b-skeleton-animate-".concat(l),l),s(n,"bg-".concat(c),c),n)}))}})},82496:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSpinner:()=>a.BSpinner,SpinnerPlugin:()=>r});var a=n(1759),r=(0,n(11638).pluginFactory)({components:{BSpinner:a.BSpinner}})},1759:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BSpinner:()=>d,props:()=>u});var a=n(1915),r=n(94689),o=n(12299),i=n(90494),s=n(72345),l=n(20451);function c(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var u=(0,l.makePropsConfigurable)({label:(0,l.makeProp)(o.PROP_TYPE_STRING),role:(0,l.makeProp)(o.PROP_TYPE_STRING,"status"),small:(0,l.makeProp)(o.PROP_TYPE_BOOLEAN,!1),tag:(0,l.makeProp)(o.PROP_TYPE_STRING,"span"),type:(0,l.makeProp)(o.PROP_TYPE_STRING,"border"),variant:(0,l.makeProp)(o.PROP_TYPE_STRING)},r.NAME_SPINNER),d=(0,a.extend)({name:r.NAME_SPINNER,functional:!0,props:u,render:function(e,t){var n,r=t.props,o=t.data,l=t.slots,u=t.scopedSlots,d=l(),h=u||{},f=(0,s.normalizeSlot)(i.SLOT_NAME_LABEL,{},h,d)||r.label;return f&&(f=e("span",{staticClass:"sr-only"},f)),e(r.tag,(0,a.mergeData)(o,{attrs:{role:f?r.role||"status":null,"aria-hidden":f?null:"true"},class:(n={},c(n,"spinner-".concat(r.type),r.type),c(n,"spinner-".concat(r.type,"-sm"),r.small),c(n,"text-".concat(r.variant),r.variant),n)}),[f||e()])}})},62581:(e,t,n)=>{"use strict";function a(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function r(e){for(var t=1;tu,FIELD_KEY_CELL_VARIANT:()=>i,FIELD_KEY_ROW_VARIANT:()=>s,FIELD_KEY_SHOW_DETAILS:()=>l,IGNORED_FIELD_KEYS:()=>c});var i="_cellVariants",s="_rowVariant",l="_showDetails",c=[i,s,l].reduce((function(e,t){return r(r({},e),{},o({},t,!0))}),{}),u=["a","a *","button","button *","input:not(.disabled):not([disabled])","select:not(.disabled):not([disabled])","textarea:not(.disabled):not([disabled])",'[role="link"]','[role="link"] *','[role="button"]','[role="button"] *',"[tabindex]:not(.disabled):not([disabled])"].join(",")},97603:(e,t,n)=>{"use strict";n.r(t),n.d(t,{defaultSortCompare:()=>l});var a=n(37668),r=n(33284),o=n(93954),i=n(91838),s=function(e){return(0,r.isUndefinedOrNull)(e)?"":(0,r.isNumeric)(e)?(0,o.toFloat)(e,e):e},l=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=n.sortBy,l=void 0===o?null:o,c=n.formatter,u=void 0===c?null:c,d=n.locale,h=void 0===d?void 0:d,f=n.localeOptions,p=void 0===f?{}:f,m=n.nullLast,v=void 0!==m&&m,g=(0,a.get)(e,l,null),_=(0,a.get)(t,l,null);return(0,r.isFunction)(u)&&(g=u(g,l,e),_=u(_,l,t)),g=s(g),_=s(_),(0,r.isDate)(g)&&(0,r.isDate)(_)||(0,r.isNumber)(g)&&(0,r.isNumber)(_)?g<_?-1:g>_?1:0:v&&""===g&&""!==_?1:v&&""!==g&&""===_?-1:(0,i.stringifyObjectValues)(g).localeCompare((0,i.stringifyObjectValues)(_),h,p)}},23746:(e,t,n)=>{"use strict";n.r(t),n.d(t,{filterEvent:()=>i});var a=n(26410),r=n(62581),o=["TD","TH","TR"],i=function(e){if(!e||!e.target)return!1;var t=e.target;if(t.disabled||-1!==o.indexOf(t.tagName))return!1;if((0,a.closest)(".dropdown-menu",t))return!0;var n="LABEL"===t.tagName?t:(0,a.closest)("label",t);if(n){var i=(0,a.getAttr)(n,"for"),s=i?(0,a.getById)(i):(0,a.select)("input, select, textarea",n);if(s&&!s.disabled)return!0}return(0,a.matches)(t,r.EVENT_FILTER)}},6377:(e,t,n)=>{"use strict";n.r(t),n.d(t,{bottomRowMixin:()=>l,props:()=>s});var a=n(1915),r=n(90494),o=n(33284),i=n(92095),s={},l=(0,a.extend)({props:s,methods:{renderBottomRow:function(){var e=this.computedFields,t=this.stacked,n=this.tbodyTrClass,a=this.tbodyTrAttr,s=this.$createElement;return this.hasNormalizedSlot(r.SLOT_NAME_BOTTOM_ROW)&&!0!==t&&""!==t?s(i.BTr,{staticClass:"b-table-bottom-row",class:[(0,o.isFunction)(n)?n(null,"row-bottom"):n],attrs:(0,o.isFunction)(a)?a(null,"row-bottom"):a,key:"b-bottom-row"},this.normalizeSlot(r.SLOT_NAME_BOTTOM_ROW,{columns:e.length,fields:e})):s()}}})},322:(e,t,n)=>{"use strict";n.r(t),n.d(t,{busyMixin:()=>_,props:()=>g});var a=n(1915),r=n(63294),o=n(12299),i=n(90494),s=n(28415),l=n(33284),c=n(20451),u=n(92095),d=n(66456);var h,f,p,m="busy",v=r.MODEL_EVENT_NAME_PREFIX+m,g=(h={},f=m,p=(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),f in h?Object.defineProperty(h,f,{value:p,enumerable:!0,configurable:!0,writable:!0}):h[f]=p,h),_=(0,a.extend)({props:g,data:function(){return{localBusy:!1}},computed:{computedBusy:function(){return this[m]||this.localBusy}},watch:{localBusy:function(e,t){e!==t&&this.$emit(v,e)}},methods:{stopIfBusy:function(e){return!!this.computedBusy&&((0,s.stopEvent)(e),!0)},renderBusy:function(){var e=this.tbodyTrClass,t=this.tbodyTrAttr,n=this.$createElement;return this.computedBusy&&this.hasNormalizedSlot(i.SLOT_NAME_TABLE_BUSY)?n(u.BTr,{staticClass:"b-table-busy-slot",class:[(0,l.isFunction)(e)?e(null,i.SLOT_NAME_TABLE_BUSY):e],attrs:(0,l.isFunction)(t)?t(null,i.SLOT_NAME_TABLE_BUSY):t,key:"table-busy-slot"},[n(d.BTd,{props:{colspan:this.computedFields.length||null}},[this.normalizeSlot(i.SLOT_NAME_TABLE_BUSY)])]):null}}})},49682:(e,t,n)=>{"use strict";n.r(t),n.d(t,{captionMixin:()=>c,props:()=>l});var a=n(1915),r=n(12299),o=n(90494),i=n(18735),s=n(20451),l={caption:(0,s.makeProp)(r.PROP_TYPE_STRING),captionHtml:(0,s.makeProp)(r.PROP_TYPE_STRING)},c=(0,a.extend)({props:l,computed:{captionId:function(){return this.isStacked?this.safeId("_caption_"):null}},methods:{renderCaption:function(){var e=this.caption,t=this.captionHtml,n=this.$createElement,a=n(),r=this.hasNormalizedSlot(o.SLOT_NAME_TABLE_CAPTION);return(r||e||t)&&(a=n("caption",{attrs:{id:this.captionId},domProps:r?{}:(0,i.htmlOrText)(t,e),key:"caption",ref:"caption"},this.normalizeSlot(o.SLOT_NAME_TABLE_CAPTION))),a}}})},32341:(e,t,n)=>{"use strict";n.r(t),n.d(t,{colgroupMixin:()=>i,props:()=>o});var a=n(1915),r=n(90494),o={},i=(0,a.extend)({methods:{renderColgroup:function(){var e=this.computedFields,t=this.$createElement,n=t();return this.hasNormalizedSlot(r.SLOT_NAME_TABLE_COLGROUP)&&(n=t("colgroup",{key:"colgroup"},[this.normalizeSlot(r.SLOT_NAME_TABLE_COLGROUP,{columns:e.length,fields:e})])),n}}})},97741:(e,t,n)=>{"use strict";n.r(t),n.d(t,{emptyMixin:()=>f,props:()=>h});var a=n(1915),r=n(12299),o=n(90494),i=n(18735),s=n(33284),l=n(20451),c=n(10992),u=n(92095),d=n(66456),h={emptyFilteredHtml:(0,l.makeProp)(r.PROP_TYPE_STRING),emptyFilteredText:(0,l.makeProp)(r.PROP_TYPE_STRING,"There are no records matching your request"),emptyHtml:(0,l.makeProp)(r.PROP_TYPE_STRING),emptyText:(0,l.makeProp)(r.PROP_TYPE_STRING,"There are no records to show"),showEmpty:(0,l.makeProp)(r.PROP_TYPE_BOOLEAN,!1)},f=(0,a.extend)({props:h,methods:{renderEmpty:function(){var e=(0,c.safeVueInstance)(this),t=e.computedItems,n=e.computedBusy,a=this.$createElement,r=a();if(this.showEmpty&&(!t||0===t.length)&&(!n||!this.hasNormalizedSlot(o.SLOT_NAME_TABLE_BUSY))){var l=this.computedFields,h=this.isFiltered,f=this.emptyText,p=this.emptyHtml,m=this.emptyFilteredText,v=this.emptyFilteredHtml,g=this.tbodyTrClass,_=this.tbodyTrAttr;(r=this.normalizeSlot(h?o.SLOT_NAME_EMPTYFILTERED:o.SLOT_NAME_EMPTY,{emptyFilteredHtml:v,emptyFilteredText:m,emptyHtml:p,emptyText:f,fields:l,items:t}))||(r=a("div",{class:["text-center","my-2"],domProps:h?(0,i.htmlOrText)(v,m):(0,i.htmlOrText)(p,f)})),r=a(d.BTd,{props:{colspan:l.length||null}},[a("div",{attrs:{role:"alert","aria-live":"polite"}},[r])]),r=a(u.BTr,{staticClass:"b-table-empty-row",class:[(0,s.isFunction)(g)?g(null,"row-empty"):g],attrs:(0,s.isFunction)(_)?_(null,"row-empty"):_,key:h?"b-empty-filtered-row":"b-empty-row"},[r])}return r}}})},57686:(e,t,n)=>{"use strict";n.r(t),n.d(t,{filteringMixin:()=>I,props:()=>y});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(30824),l=n(11572),c=n(30158),u=n(68265),d=n(33284),h=n(3058),f=n(93954),p=n(20451),m=n(46595),v=n(37568),g=n(24420);function _(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n0&&(0,v.warn)('Prop "filter-debounce" is deprecated. Use the debounce feature of "" instead.',r.NAME_TABLE),e},localFiltering:function(){return!this.hasProvider||!!this.noProviderFiltering},filteredCheck:function(){return{filteredItems:this.filteredItems,localItems:this.localItems,localFilter:this.localFilter}},localFilterFn:function(){var e=this.filterFunction;return(0,p.hasPropFunction)(e)?e:null},filteredItems:function(){var e=this.localItems,t=this.localFilter,n=this.localFiltering?this.filterFnFactory(this.localFilterFn,t)||this.defaultFilterFnFactory(t):null;return n&&e.length>0?e.filter(n):e}},watch:{computedFilterDebounce:function(e){!e&&this.$_filterTimer&&(this.clearFilterTimer(),this.localFilter=this.filterSanitize(this.filter))},filter:{deep:!0,handler:function(e){var t=this,n=this.computedFilterDebounce;this.clearFilterTimer(),n&&n>0?this.$_filterTimer=setTimeout((function(){t.localFilter=t.filterSanitize(e)}),n):this.localFilter=this.filterSanitize(e)}},filteredCheck:function(e){var t=e.filteredItems,n=e.localFilter,a=!1;n?(0,h.looseEqual)(n,[])||(0,h.looseEqual)(n,{})?a=!1:n&&(a=!0):a=!1,a&&this.$emit(o.EVENT_NAME_FILTERED,t,t.length),this.isFiltered=a},isFiltered:function(e,t){if(!1===e&&!0===t){var n=this.localItems;this.$emit(o.EVENT_NAME_FILTERED,n,n.length)}}},created:function(){var e=this;this.$_filterTimer=null,this.$nextTick((function(){e.isFiltered=Boolean(e.localFilter)}))},beforeDestroy:function(){this.clearFilterTimer()},methods:{clearFilterTimer:function(){clearTimeout(this.$_filterTimer),this.$_filterTimer=null},filterSanitize:function(e){return!this.localFiltering||this.localFilterFn||(0,d.isString)(e)||(0,d.isRegExp)(e)?(0,c.cloneDeep)(e):""},filterFnFactory:function(e,t){if(!e||!(0,d.isFunction)(e)||!t||(0,h.looseEqual)(t,[])||(0,h.looseEqual)(t,{}))return null;return function(n){return e(n,t)}},defaultFilterFnFactory:function(e){var t=this;if(!e||!(0,d.isString)(e)&&!(0,d.isRegExp)(e))return null;var n=e;if((0,d.isString)(n)){var a=(0,m.escapeRegExp)(e).replace(s.RX_SPACES,"\\s+");n=new RegExp(".*".concat(a,".*"),"i")}return function(e){return n.lastIndex=0,n.test((0,g.stringifyRecordValues)(e,t.computedFilterIgnored,t.computedFilterIncluded,t.computedFieldsObj))}}}})},20686:(e,t,n)=>{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>w,MODEL_PROP_NAME:()=>M,itemsMixin:()=>k,props:()=>B});var a=n(1915),r=n(63294),o=n(12299),i=n(93319),s=n(33284),l=n(3058),c=n(21578),u=n(54602),d=n(93954),h=n(67040),f=n(20451),p=n(10992),m=n(22942);function v(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function g(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{paginationMixin:()=>u,props:()=>c});var a=n(1915),r=n(12299),o=n(21578),i=n(93954),s=n(20451),l=n(10992),c={currentPage:(0,s.makeProp)(r.PROP_TYPE_NUMBER_STRING,1),perPage:(0,s.makeProp)(r.PROP_TYPE_NUMBER_STRING,0)},u=(0,a.extend)({props:c,computed:{localPaging:function(){return!this.hasProvider||!!this.noProviderPaging},paginatedItems:function(){var e=(0,l.safeVueInstance)(this),t=e.sortedItems,n=e.filteredItems,a=e.localItems,r=t||n||a||[],s=(0,o.mathMax)((0,i.toInteger)(this.currentPage,1),1),c=(0,o.mathMax)((0,i.toInteger)(this.perPage,0),0);return this.localPaging&&c&&(r=r.slice((s-1)*c,s*c)),r}}})},77425:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>g,providerMixin:()=>_});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(28415),l=n(33284),c=n(3058),u=n(67040),d=n(20451),h=n(10992),f=n(37568),p=n(98596),m=(0,s.getRootEventName)(r.NAME_TABLE,o.EVENT_NAME_REFRESHED),v=(0,s.getRootActionEventName)(r.NAME_TABLE,o.EVENT_NAME_REFRESH),g={apiUrl:(0,d.makeProp)(i.PROP_TYPE_STRING),items:(0,d.makeProp)(i.PROP_TYPE_ARRAY_FUNCTION,[]),noProviderFiltering:(0,d.makeProp)(i.PROP_TYPE_BOOLEAN,!1),noProviderPaging:(0,d.makeProp)(i.PROP_TYPE_BOOLEAN,!1),noProviderSorting:(0,d.makeProp)(i.PROP_TYPE_BOOLEAN,!1)},_=(0,a.extend)({mixins:[p.listenOnRootMixin],props:g,computed:{hasProvider:function(){return(0,l.isFunction)(this.items)},providerTriggerContext:function(){var e={apiUrl:this.apiUrl,filter:null,sortBy:null,sortDesc:null,perPage:null,currentPage:null};return this.noProviderFiltering||(e.filter=this.localFilter),this.noProviderSorting||(e.sortBy=this.localSortBy,e.sortDesc=this.localSortDesc),this.noProviderPaging||(e.perPage=this.perPage,e.currentPage=this.currentPage),(0,u.clone)(e)}},watch:{items:function(e){(this.hasProvider||(0,l.isFunction)(e))&&this.$nextTick(this._providerUpdate)},providerTriggerContext:function(e,t){(0,c.looseEqual)(e,t)||this.$nextTick(this._providerUpdate)}},mounted:function(){var e=this;!this.hasProvider||this.localItems&&0!==this.localItems.length||this._providerUpdate(),this.listenOnRoot(v,(function(t){t!==e.id&&t!==e||e.refresh()}))},methods:{refresh:function(){var e=(0,h.safeVueInstance)(this),t=e.items,n=e.refresh,a=e.computedBusy;this.$off(o.EVENT_NAME_REFRESHED,n),a?this.localBusy&&this.hasProvider&&this.$on(o.EVENT_NAME_REFRESHED,n):(this.clearSelected(),this.hasProvider?this.$nextTick(this._providerUpdate):this.localItems=(0,l.isArray)(t)?t.slice():[])},_providerSetLocal:function(e){this.localItems=(0,l.isArray)(e)?e.slice():[],this.localBusy=!1,this.$emit(o.EVENT_NAME_REFRESHED),this.id&&this.emitOnRoot(m,this.id)},_providerUpdate:function(){var e=this;this.hasProvider&&((0,h.safeVueInstance)(this).computedBusy?this.$nextTick(this.refresh):(this.localBusy=!0,this.$nextTick((function(){try{var t=e.items(e.context,e._providerSetLocal);(0,l.isPromise)(t)?t.then((function(t){e._providerSetLocal(t)})):(0,l.isArray)(t)?e._providerSetLocal(t):2!==e.items.length&&((0,f.warn)("Provider function didn't request callback and did not return a promise or data.",r.NAME_TABLE),e.localBusy=!1)}catch(t){(0,f.warn)("Provider function error [".concat(t.name,"] ").concat(t.message,"."),r.NAME_TABLE),e.localBusy=!1,e.$off(o.EVENT_NAME_REFRESHED,e.refresh)}}))))}}})},86447:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>g,selectableMixin:()=>_});var a=n(1915),r=n(63294),o=n(12299),i=n(11572),s=n(68265),l=n(33284),c=n(3058),u=n(21578),d=n(20451),h=n(46595),f=n(88666);function p(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var m=["range","multi","single"],v="grid",g={noSelectOnClick:(0,d.makeProp)(o.PROP_TYPE_BOOLEAN,!1),selectMode:(0,d.makeProp)(o.PROP_TYPE_STRING,"multi",(function(e){return(0,i.arrayIncludes)(m,e)})),selectable:(0,d.makeProp)(o.PROP_TYPE_BOOLEAN,!1),selectedVariant:(0,d.makeProp)(o.PROP_TYPE_STRING,"active")},_=(0,a.extend)({props:g,data:function(){return{selectedRows:[],selectedLastRow:-1}},computed:{isSelectable:function(){return this.selectable&&this.selectMode},hasSelectableRowClick:function(){return this.isSelectable&&!this.noSelectOnClick},supportsSelectableRows:function(){return!0},selectableHasSelection:function(){var e=this.selectedRows;return this.isSelectable&&e&&e.length>0&&e.some(s.identity)},selectableIsMultiSelect:function(){return this.isSelectable&&(0,i.arrayIncludes)(["range","multi"],this.selectMode)},selectableTableClasses:function(){var e,t=this.isSelectable;return p(e={"b-table-selectable":t},"b-table-select-".concat(this.selectMode),t),p(e,"b-table-selecting",this.selectableHasSelection),p(e,"b-table-selectable-no-click",t&&!this.hasSelectableRowClick),e},selectableTableAttrs:function(){if(!this.isSelectable)return{};var e=this.bvAttrs.role||v;return{role:e,"aria-multiselectable":e===v?(0,h.toString)(this.selectableIsMultiSelect):null}}},watch:{computedItems:function(e,t){var n=!1;if(this.isSelectable&&this.selectedRows.length>0){n=(0,l.isArray)(e)&&(0,l.isArray)(t)&&e.length===t.length;for(var a=0;n&&a=0&&e0&&(this.selectedLastClicked=-1,this.selectedRows=this.selectableIsMultiSelect?(0,i.createArray)(e,!0):[!0])},isRowSelected:function(e){return!(!(0,l.isNumber)(e)||!this.selectedRows[e])},clearSelected:function(){this.selectedLastClicked=-1,this.selectedRows=[]},selectableRowClasses:function(e){if(this.isSelectable&&this.isRowSelected(e)){var t=this.selectedVariant;return p({"b-table-row-selected":!0},"".concat(this.dark?"bg":"table","-").concat(t),t)}return{}},selectableRowAttrs:function(e){return{"aria-selected":this.isSelectable?this.isRowSelected(e)?"true":"false":null}},setSelectionHandlers:function(e){var t=e&&!this.noSelectOnClick?"$on":"$off";this[t](r.EVENT_NAME_ROW_CLICKED,this.selectionHandler),this[t](r.EVENT_NAME_FILTERED,this.clearSelected),this[t](r.EVENT_NAME_CONTEXT_CHANGED,this.clearSelected)},selectionHandler:function(e,t,n){if(this.isSelectable&&!this.noSelectOnClick){var a=this.selectMode,r=this.selectedLastRow,o=this.selectedRows.slice(),i=!o[t];if("single"===a)o=[];else if("range"===a)if(r>-1&&n.shiftKey){for(var s=(0,u.mathMin)(r,t);s<=(0,u.mathMax)(r,t);s++)o[s]=!0;i=!0}else n.ctrlKey||n.metaKey||(o=[],i=!0),i&&(this.selectedLastRow=t);o[t]=i,this.selectedRows=o}else this.clearSelected()}}})},51996:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>k,sortingMixin:()=>T});var a,r,o=n(1915),i=n(63294),s=n(12299),l=n(11572),c=n(33284),u=n(20451),d=n(10992),h=n(55912),f=n(46595),p=n(97603);function m(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function v(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{props:()=>o,stackedMixin:()=>i});var a=n(1915),r=n(12299);var o={stacked:(0,n(20451).makeProp)(r.PROP_TYPE_BOOLEAN_STRING,!1)},i=(0,a.extend)({props:o,computed:{isStacked:function(){var e=this.stacked;return""===e||e},isStackedAlways:function(){return!0===this.isStacked},stackedTableClasses:function(){var e,t,n,a=this.isStackedAlways;return e={"b-table-stacked":a},t="b-table-stacked-".concat(this.stacked),n=!a&&this.isStacked,t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}}})},57176:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>p,tableRendererMixin:()=>m});var a=n(1915),r=n(12299),o=n(68265),i=n(33284),s=n(20451),l=n(10992),c=n(46595),u=n(28492);function d(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function h(e){for(var t=1;t0&&!i,[o,{"table-striped":this.striped,"table-hover":t,"table-dark":this.dark,"table-bordered":this.bordered,"table-borderless":this.borderless,"table-sm":this.small,border:this.outlined,"b-table-fixed":this.fixed,"b-table-caption-top":this.captionTop,"b-table-no-border-collapse":this.noBorderCollapse},n?"".concat(this.dark?"bg":"table","-").concat(n):"",r,a]},tableAttrs:function(){var e=(0,l.safeVueInstance)(this),t=e.computedItems,n=e.filteredItems,a=e.computedFields,r=e.selectableTableAttrs,o=e.computedBusy,i=this.isTableSimple?{}:{"aria-busy":(0,c.toString)(o),"aria-colcount":(0,c.toString)(a.length),"aria-describedby":this.bvAttrs["aria-describedby"]||this.$refs.caption?this.captionId:null};return h(h(h({"aria-rowcount":t&&n&&n.length>t.length?(0,c.toString)(n.length):null},this.bvAttrs),{},{id:this.safeId(),role:this.bvAttrs.role||"table"},i),r)}},render:function(e){var t=(0,l.safeVueInstance)(this),n=t.wrapperClasses,a=t.renderCaption,r=t.renderColgroup,i=t.renderThead,s=t.renderTbody,c=t.renderTfoot,u=[];this.isTableSimple?u.push(this.normalizeSlot()):(u.push(a?a():null),u.push(r?r():null),u.push(i?i():null),u.push(s?s():null),u.push(c?c():null));var d=e("table",{staticClass:"table b-table",class:this.tableClasses,attrs:this.tableAttrs,key:"b-table"},u.filter(o.identity));return n.length>0?e("div",{class:n,style:this.wrapperStyles,key:"wrap"},[d]):d}})},98103:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>M,tbodyRowMixin:()=>w});var a=n(1915),r=n(63294),o=n(12299),i=n(90494),s=n(93319),l=n(37668),c=n(33284),u=n(20451),d=n(10992),h=n(46595),f=n(92095),p=n(66456),m=n(69919),v=n(62581);function g(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function _(e){for(var t=1;te.length)&&(t=e.length);for(var n=0,a=new Array(t);n0&&(S=String((g-1)*y+t+1));var A=(0,h.toString)((0,l.get)(e,m))||null,L=A||(0,h.toString)(t),C=A?this.safeId("_row_".concat(A)):null,z=(0,d.safeVueInstance)(this).selectableRowClasses?this.selectableRowClasses(t):{},D=(0,d.safeVueInstance)(this).selectableRowAttrs?this.selectableRowAttrs(t):{},F=(0,c.isFunction)(I)?I(e,"row"):I,R=(0,c.isFunction)(M)?M(e,"row"):M;if(E.push(B(f.BTr,b({class:[F,z,T?"b-table-has-details":""],props:{variant:e[v.FIELD_KEY_ROW_VARIANT]||null},attrs:_(_({id:C},R),{},{tabindex:P?"0":null,"data-pk":A||null,"aria-details":x,"aria-owns":x,"aria-rowindex":S},D),on:{mouseenter:this.rowHovered,mouseleave:this.rowUnhovered},key:"__b-table-row-".concat(L,"__"),ref:"item-rows"},a.REF_FOR_KEY,!0),O)),T){var N={item:e,index:t,fields:s,toggleDetails:this.toggleDetailsFactory(k,e)};(0,d.safeVueInstance)(this).supportsSelectableRows&&(N.rowSelected=this.isRowSelected(t),N.selectRow=function(){return n.selectRow(t)},N.unselectRow=function(){return n.unselectRow(t)});var H=B(p.BTd,{props:{colspan:s.length},class:this.detailsTdClass},[this.normalizeSlot(i.SLOT_NAME_ROW_DETAILS,N)]);u&&E.push(B("tr",{staticClass:"d-none",attrs:{"aria-hidden":"true",role:"presentation"},key:"__b-table-details-stripe__".concat(L)}));var V=(0,c.isFunction)(this.tbodyTrClass)?this.tbodyTrClass(e,i.SLOT_NAME_ROW_DETAILS):this.tbodyTrClass,Y=(0,c.isFunction)(this.tbodyTrAttr)?this.tbodyTrAttr(e,i.SLOT_NAME_ROW_DETAILS):this.tbodyTrAttr;E.push(B(f.BTr,{staticClass:"b-table-details",class:[V],props:{variant:e[v.FIELD_KEY_ROW_VARIANT]||null},attrs:_(_({},Y),{},{id:x,tabindex:"-1"}),key:"__b-table-details__".concat(L)},[H]))}else k&&(E.push(B()),u&&E.push(B()));return E}}})},55346:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>I,tbodyMixin:()=>M});var a=n(1915),r=n(63294),o=n(63663),i=n(12299),s=n(11572),l=n(26410),c=n(10992),u=n(28415),d=n(67040),h=n(20451),f=n(80560),p=n(23746),m=n(9596),v=n(98103);function g(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function _(e){for(var t=1;t0&&n&&n.length>0?(0,s.from)(t.children).filter((function(e){return(0,s.arrayIncludes)(n,e)})):[]},getTbodyTrIndex:function(e){if(!(0,l.isElement)(e))return-1;var t="TR"===e.tagName?e:(0,l.closest)("tr",e,!0);return t?this.getTbodyTrs().indexOf(t):-1},emitTbodyRowEvent:function(e,t){if(e&&this.hasListener(e)&&t&&t.target){var n=this.getTbodyTrIndex(t.target);if(n>-1){var a=this.computedItems[n];this.$emit(e,a,n,t)}}},tbodyRowEventStopped:function(e){return this.stopIfBusy&&this.stopIfBusy(e)},onTbodyRowKeydown:function(e){var t=e.target,n=e.keyCode;if(!this.tbodyRowEventStopped(e)&&"TR"===t.tagName&&(0,l.isActiveElement)(t)&&0===t.tabIndex)if((0,s.arrayIncludes)([o.CODE_ENTER,o.CODE_SPACE],n))(0,u.stopEvent)(e),this.onTBodyRowClicked(e);else if((0,s.arrayIncludes)([o.CODE_UP,o.CODE_DOWN,o.CODE_HOME,o.CODE_END],n)){var a=this.getTbodyTrIndex(t);if(a>-1){(0,u.stopEvent)(e);var r=this.getTbodyTrs(),i=e.shiftKey;n===o.CODE_HOME||i&&n===o.CODE_UP?(0,l.attemptFocus)(r[0]):n===o.CODE_END||i&&n===o.CODE_DOWN?(0,l.attemptFocus)(r[r.length-1]):n===o.CODE_UP&&a>0?(0,l.attemptFocus)(r[a-1]):n===o.CODE_DOWN&&a{"use strict";n.r(t),n.d(t,{props:()=>l,tfootMixin:()=>c});var a=n(1915),r=n(12299),o=n(90494),i=n(20451),s=n(10838),l={footClone:(0,i.makeProp)(r.PROP_TYPE_BOOLEAN,!1),footRowVariant:(0,i.makeProp)(r.PROP_TYPE_STRING),footVariant:(0,i.makeProp)(r.PROP_TYPE_STRING),tfootClass:(0,i.makeProp)(r.PROP_TYPE_ARRAY_OBJECT_STRING),tfootTrClass:(0,i.makeProp)(r.PROP_TYPE_ARRAY_OBJECT_STRING)},c=(0,a.extend)({props:l,methods:{renderTFootCustom:function(){var e=this.$createElement;return this.hasNormalizedSlot(o.SLOT_NAME_CUSTOM_FOOT)?e(s.BTfoot,{class:this.tfootClass||null,props:{footVariant:this.footVariant||this.headVariant||null},key:"bv-tfoot-custom"},this.normalizeSlot(o.SLOT_NAME_CUSTOM_FOOT,{items:this.computedItems.slice(),fields:this.computedFields.slice(),columns:this.computedFields.length})):e()},renderTfoot:function(){return this.footClone?this.renderThead(!0):this.renderTFootCustom()}}})},64120:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>x,theadMixin:()=>O});var a=n(1915),r=n(63294),o=n(63663),i=n(12299),s=n(90494),l=n(28415),c=n(18735),u=n(68265),d=n(33284),h=n(84941),f=n(20451),p=n(10992),m=n(46595),v=n(13944),g=n(10838),_=n(92095),b=n(69919),y=n(23746),I=n(9596);function M(e){return function(e){if(Array.isArray(e))return w(e)}(e)||function(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}(e)||function(e,t){if(!e)return;if("string"==typeof e)return w(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return w(e,t)}(e)||function(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function w(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n0&&void 0!==arguments[0]&&arguments[0],n=(0,p.safeVueInstance)(this),a=n.computedFields,i=n.isSortable,l=n.isSelectable,f=n.headVariant,y=n.footVariant,I=n.headRowVariant,w=n.footRowVariant,B=this.$createElement;if(this.isStackedAlways||0===a.length)return B();var T=i||this.hasListener(r.EVENT_NAME_HEAD_CLICKED),x=l?this.selectAllRows:h.noop,O=l?this.clearSelected:h.noop,S=a.map((function(n,a){var r=n.label,s=n.labelHtml,l=n.variant,d=n.stickyColumn,h=n.key,f=null;n.label.trim()||n.headerTitle||(f=(0,m.startCase)(n.key));var p={};T&&(p.click=function(a){e.headClicked(a,n,t)},p.keydown=function(a){var r=a.keyCode;r!==o.CODE_ENTER&&r!==o.CODE_SPACE||e.headClicked(a,n,t)});var v=i?e.sortTheadThAttrs(h,n,t):{},g=i?e.sortTheadThClasses(h,n,t):null,_=i?e.sortTheadThLabel(h,n,t):null,y={class:[{"position-relative":_},e.fieldClasses(n),g],props:{variant:l,stickyColumn:d},style:n.thStyle||{},attrs:k(k({tabindex:T&&n.sortable?"0":null,abbr:n.headerAbbr||null,title:n.headerTitle||null,"aria-colindex":a+1,"aria-label":f},e.getThValues(null,h,n.thAttr,t?"foot":"head",{})),v),on:p,key:h},I=[P(h),P(h.toLowerCase()),P()];t&&(I=[E(h),E(h.toLowerCase()),E()].concat(M(I)));var w={label:r,column:h,field:n,isFoot:t,selectAllRows:x,clearSelected:O},S=e.normalizeSlot(I,w)||B("div",{domProps:(0,c.htmlOrText)(s,r)}),A=_?B("span",{staticClass:"sr-only"}," (".concat(_,")")):null;return B(b.BTh,y,[S,A].filter(u.identity))})).filter(u.identity),A=[];if(t)A.push(B(_.BTr,{class:this.tfootTrClass,props:{variant:(0,d.isUndefinedOrNull)(w)?I:w}},S));else{var L={columns:a.length,fields:a,selectAllRows:x,clearSelected:O};A.push(this.normalizeSlot(s.SLOT_NAME_THEAD_TOP,L)||B()),A.push(B(_.BTr,{class:this.theadTrClass,props:{variant:I}},S))}return B(t?g.BTfoot:v.BThead,{class:(t?this.tfootClass:this.theadClass)||null,props:t?{footVariant:y||f||null}:{headVariant:f||null},key:t?"bv-tfoot":"bv-thead"},A)}}})},50657:(e,t,n)=>{"use strict";n.r(t),n.d(t,{props:()=>s,topRowMixin:()=>l});var a=n(1915),r=n(90494),o=n(33284),i=n(92095),s={},l=(0,a.extend)({methods:{renderTopRow:function(){var e=this.computedFields,t=this.stacked,n=this.tbodyTrClass,a=this.tbodyTrAttr,s=this.$createElement;return this.hasNormalizedSlot(r.SLOT_NAME_TOP_ROW)&&!0!==t&&""!==t?s(i.BTr,{staticClass:"b-table-top-row",class:[(0,o.isFunction)(n)?n(null,"row-top"):n],attrs:(0,o.isFunction)(a)?a(null,"row-top"):a,key:"b-top-row"},[this.normalizeSlot(r.SLOT_NAME_TOP_ROW,{columns:e.length,fields:e})]):s()}}})},22942:(e,t,n)=>{"use strict";n.r(t),n.d(t,{normalizeFields:()=>l});var a=n(68265),r=n(33284),o=n(67040),i=n(46595),s=n(62581),l=function(e,t){var n=[];if((0,r.isArray)(e)&&e.filter(a.identity).forEach((function(e){if((0,r.isString)(e))n.push({key:e,label:(0,i.startCase)(e)});else if((0,r.isObject)(e)&&e.key&&(0,r.isString)(e.key))n.push((0,o.clone)(e));else if((0,r.isObject)(e)&&1===(0,o.keys)(e).length){var t=(0,o.keys)(e)[0],a=function(e,t){var n=null;return(0,r.isString)(t)?n={key:e,label:t}:(0,r.isFunction)(t)?n={key:e,formatter:t}:(0,r.isObject)(t)?(n=(0,o.clone)(t)).key=n.key||e:!1!==t&&(n={key:e}),n}(t,e[t]);a&&n.push(a)}})),0===n.length&&(0,r.isArray)(t)&&t.length>0){var l=t[0];(0,o.keys)(l).forEach((function(e){s.IGNORED_FIELD_KEYS[e]||n.push({key:e,label:(0,i.startCase)(e)})}))}var c={};return n.filter((function(e){return!c[e.key]&&(c[e.key]=!0,e.label=(0,r.isString)(e.label)?e.label:(0,i.startCase)(e.key),!0)}))}},88666:(e,t,n)=>{"use strict";n.r(t),n.d(t,{sanitizeRow:()=>s});var a=n(11572),r=n(33284),o=n(67040),i=n(62581),s=function(e,t,n){var s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},l=(0,o.keys)(s).reduce((function(t,n){var a=s[n],o=a.filterByFormatted,i=(0,r.isFunction)(o)?o:o?a.formatter:null;return(0,r.isFunction)(i)&&(t[n]=i(e[n],n,e)),t}),(0,o.clone)(e)),c=(0,o.keys)(l).filter((function(e){return!(i.IGNORED_FIELD_KEYS[e]||(0,r.isArray)(t)&&t.length>0&&(0,a.arrayIncludes)(t,e)||(0,r.isArray)(n)&&n.length>0&&!(0,a.arrayIncludes)(n,e))}));return(0,o.pick)(l,c)}},24420:(e,t,n)=>{"use strict";n.r(t),n.d(t,{stringifyRecordValues:()=>i});var a=n(33284),r=n(91838),o=n(88666),i=function(e,t,n,i){return(0,a.isObject)(e)?(0,r.stringifyObjectValues)((0,o.sanitizeRow)(e,t,n,i)):""}},9596:(e,t,n)=>{"use strict";n.r(t),n.d(t,{textSelectionActive:()=>r});var a=n(26410),r=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:document,t=(0,a.getSel)();return!!(t&&""!==t.toString().trim()&&t.containsNode&&(0,a.isElement)(e))&&t.containsNode(e,!0)}},56778:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTable:()=>a.BTable,BTableLite:()=>r.BTableLite,BTableSimple:()=>o.BTableSimple,BTbody:()=>i.BTbody,BTd:()=>u.BTd,BTfoot:()=>l.BTfoot,BTh:()=>d.BTh,BThead:()=>s.BThead,BTr:()=>c.BTr,TableLitePlugin:()=>f,TablePlugin:()=>m,TableSimplePlugin:()=>p});var a=n(86052),r=n(1071),o=n(85589),i=n(80560),s=n(13944),l=n(10838),c=n(92095),u=n(66456),d=n(69919),h=n(11638),f=(0,h.pluginFactory)({components:{BTableLite:r.BTableLite}}),p=(0,h.pluginFactory)({components:{BTableSimple:o.BTableSimple,BTbody:i.BTbody,BThead:s.BThead,BTfoot:l.BTfoot,BTr:c.BTr,BTd:u.BTd,BTh:d.BTh}}),m=(0,h.pluginFactory)({components:{BTable:a.BTable},plugins:{TableLitePlugin:f,TableSimplePlugin:p}})},1071:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTableLite:()=>w,props:()=>M});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(28492),l=n(45253),c=n(73727),u=n(18280),d=n(49682),h=n(32341),f=n(20686),p=n(9987),m=n(57176),v=n(55346),g=n(41054),_=n(64120);function b(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function y(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTableSimple:()=>g,props:()=>v});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(28492),l=n(45253),c=n(73727),u=n(18280),d=n(9987),h=n(57176);function f(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function p(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTable:()=>A,props:()=>S});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(28492),l=n(45253),c=n(73727),u=n(18280),d=n(6377),h=n(322),f=n(49682),p=n(32341),m=n(97741),v=n(57686),g=n(20686),_=n(22109),b=n(77425),y=n(86447),I=n(51996),M=n(9987),w=n(57176),B=n(55346),k=n(41054),T=n(64120),P=n(50657);function E(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function x(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTbody:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(28492),l=n(76677),c=n(18280);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTd:()=>y,props:()=>b});var a=n(1915),r=n(94689),o=n(12299),i=n(26410),s=n(33284),l=n(93954),c=n(20451),u=n(46595),d=n(28492),h=n(76677),f=n(18280);function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function m(e){for(var t=1;t0?e:null},_=function(e){return(0,s.isUndefinedOrNull)(e)||g(e)>0},b=(0,c.makePropsConfigurable)({colspan:(0,c.makeProp)(o.PROP_TYPE_NUMBER_STRING,null,_),rowspan:(0,c.makeProp)(o.PROP_TYPE_NUMBER_STRING,null,_),stackedHeading:(0,c.makeProp)(o.PROP_TYPE_STRING),stickyColumn:(0,c.makeProp)(o.PROP_TYPE_BOOLEAN,!1),variant:(0,c.makeProp)(o.PROP_TYPE_STRING)},r.NAME_TABLE_CELL),y=(0,a.extend)({name:r.NAME_TABLE_CELL,mixins:[d.attrsMixin,h.listenersMixin,f.normalizeSlotMixin],inject:{getBvTableTr:{default:function(){return function(){return{}}}}},inheritAttrs:!1,props:b,computed:{bvTableTr:function(){return this.getBvTableTr()},tag:function(){return"td"},inTbody:function(){return this.bvTableTr.inTbody},inThead:function(){return this.bvTableTr.inThead},inTfoot:function(){return this.bvTableTr.inTfoot},isDark:function(){return this.bvTableTr.isDark},isStacked:function(){return this.bvTableTr.isStacked},isStackedCell:function(){return this.inTbody&&this.isStacked},isResponsive:function(){return this.bvTableTr.isResponsive},isStickyHeader:function(){return this.bvTableTr.isStickyHeader},hasStickyHeader:function(){return this.bvTableTr.hasStickyHeader},isStickyColumn:function(){return!this.isStacked&&(this.isResponsive||this.hasStickyHeader)&&this.stickyColumn},rowVariant:function(){return this.bvTableTr.variant},headVariant:function(){return this.bvTableTr.headVariant},footVariant:function(){return this.bvTableTr.footVariant},tableVariant:function(){return this.bvTableTr.tableVariant},computedColspan:function(){return g(this.colspan)},computedRowspan:function(){return g(this.rowspan)},cellClasses:function(){var e=this.variant,t=this.headVariant,n=this.isStickyColumn;return(!e&&this.isStickyHeader&&!t||!e&&n&&this.inTfoot&&!this.footVariant||!e&&n&&this.inThead&&!t||!e&&n&&this.inTbody)&&(e=this.rowVariant||this.tableVariant||"b-table-default"),[e?"".concat(this.isDark?"bg":"table","-").concat(e):null,n?"b-table-sticky-column":null]},cellAttrs:function(){var e=this.stackedHeading,t=this.inThead||this.inTfoot,n=this.computedColspan,a=this.computedRowspan,r="cell",o=null;return t?(r="columnheader",o=n>0?"colspan":"col"):(0,i.isTag)(this.tag,"th")&&(r="rowheader",o=a>0?"rowgroup":"row"),m(m({colspan:n,rowspan:a,role:r,scope:o},this.bvAttrs),{},{"data-label":this.isStackedCell&&!(0,s.isUndefinedOrNull)(e)?(0,u.toString)(e):null})}},render:function(e){var t=[this.normalizeSlot()];return e(this.tag,{class:this.cellClasses,attrs:this.cellAttrs,on:this.bvListeners},[this.isStackedCell?e("div",[t]):t])}})},10838:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTfoot:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(28492),l=n(76677),c=n(18280);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTh:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(20451),i=n(66456),s=(0,o.makePropsConfigurable)(i.props,r.NAME_TH),l=(0,a.extend)({name:r.NAME_TH,extends:i.BTd,props:s,computed:{tag:function(){return"th"}}})},13944:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BThead:()=>f,props:()=>h});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(28492),l=n(76677),c=n(18280);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h=(0,i.makePropsConfigurable)({headVariant:(0,i.makeProp)(o.PROP_TYPE_STRING)},r.NAME_THEAD),f=(0,a.extend)({name:r.NAME_THEAD,mixins:[s.attrsMixin,l.listenersMixin,c.normalizeSlotMixin],provide:function(){var e=this;return{getBvTableRowGroup:function(){return e}}},inject:{getBvTable:{default:function(){return function(){return{}}}}},inheritAttrs:!1,props:h,computed:{bvTable:function(){return this.getBvTable()},isThead:function(){return!0},isDark:function(){return this.bvTable.dark},isStacked:function(){return this.bvTable.isStacked},isResponsive:function(){return this.bvTable.isResponsive},isStickyHeader:function(){return!this.isStacked&&this.bvTable.stickyHeader},hasStickyHeader:function(){return!this.isStacked&&this.bvTable.stickyHeader},tableVariant:function(){return this.bvTable.tableVariant},theadClasses:function(){return[this.headVariant?"thead-".concat(this.headVariant):null]},theadAttrs:function(){return function(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTr:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=n(28492),l=n(76677),c=n(18280);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h="light",f="dark",p=(0,i.makePropsConfigurable)({variant:(0,i.makeProp)(o.PROP_TYPE_STRING)},r.NAME_TR),m=(0,a.extend)({name:r.NAME_TR,mixins:[s.attrsMixin,l.listenersMixin,c.normalizeSlotMixin],provide:function(){var e=this;return{getBvTableTr:function(){return e}}},inject:{getBvTableRowGroup:{default:function(){return function(){return{}}}}},inheritAttrs:!1,props:p,computed:{bvTableRowGroup:function(){return this.getBvTableRowGroup()},inTbody:function(){return this.bvTableRowGroup.isTbody},inThead:function(){return this.bvTableRowGroup.isThead},inTfoot:function(){return this.bvTableRowGroup.isTfoot},isDark:function(){return this.bvTableRowGroup.isDark},isStacked:function(){return this.bvTableRowGroup.isStacked},isResponsive:function(){return this.bvTableRowGroup.isResponsive},isStickyHeader:function(){return this.bvTableRowGroup.isStickyHeader},hasStickyHeader:function(){return!this.isStacked&&this.bvTableRowGroup.hasStickyHeader},tableVariant:function(){return this.bvTableRowGroup.tableVariant},headVariant:function(){return this.inThead?this.bvTableRowGroup.headVariant:null},footVariant:function(){return this.inTfoot?this.bvTableRowGroup.footVariant:null},isRowDark:function(){return this.headVariant!==h&&this.footVariant!==h&&(this.headVariant===f||this.footVariant===f||this.isDark)},trClasses:function(){var e=this.variant;return[e?"".concat(this.isRowDark?"bg":"table","-").concat(e):null]},trAttrs:function(){return function(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTab:()=>r.BTab,BTabs:()=>a.BTabs,TabsPlugin:()=>o});var a=n(58887),r=n(51015),o=(0,n(11638).pluginFactory)({components:{BTabs:a.BTabs,BTab:r.BTab}})},51015:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTab:()=>I,props:()=>y});var a,r,o=n(1915),i=n(94689),s=n(63294),l=n(12299),c=n(90494),u=n(67040),d=n(20451),h=n(73727),f=n(18280),p=n(17100);function m(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function v(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BTabs:()=>V,props:()=>H});var a,r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(63663),c=n(12299),u=n(90494),d=n(11572),h=n(37130),f=n(26410),p=n(28415),m=n(68265),v=n(33284),g=n(3058),_=n(21578),b=n(54602),y=n(93954),I=n(67040),M=n(63078),w=n(20451),B=n(55912),k=n(73727),T=n(18280),P=n(67347),E=n(29027);function x(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function O(e){for(var t=1;t0&&void 0!==arguments[0])||arguments[0];if(this.$_observer&&this.$_observer.disconnect(),this.$_observer=null,t){this.$_observer=(0,M.observeDom)(this.$refs.content,(function(){e.$nextTick((function(){(0,f.requestAF)((function(){e.updateTabs()}))}))}),{childList:!0,subtree:!1,attributes:!0,attributeFilter:["id"]})}},getTabs:function(){var e=this.registeredTabs,t=[];if(i.IS_BROWSER&&e.length>0){var n=e.map((function(e){return"#".concat(e.safeId())})).join(", ");t=(0,f.selectAll)(n,this.$el).map((function(e){return e.id})).filter(m.identity)}return(0,B.stableSort)(e,(function(e,n){return t.indexOf(e.safeId())-t.indexOf(n.safeId())}))},updateTabs:function(){var e=this.getTabs(),t=e.indexOf(e.slice().reverse().find((function(e){return e.localActive&&!e.disabled})));if(t<0){var n=this.currentTab;n>=e.length?t=e.indexOf(e.slice().reverse().find(F)):e[n]&&!e[n].disabled&&(t=n)}t<0&&(t=e.indexOf(e.find(F))),e.forEach((function(e,n){e.localActive=n===t})),this.tabs=e,this.currentTab=t},getButtonForTab:function(e){return(this.$refs.buttons||[]).find((function(t){return t.tab===e}))},updateButton:function(e){var t=this.getButtonForTab(e);t&&t.$forceUpdate&&t.$forceUpdate()},activateTab:function(e){var t=this.currentTab,n=this.tabs,a=!1;if(e){var r=n.indexOf(e);if(r!==t&&r>-1&&!e.disabled){var o=new h.BvEvent(s.EVENT_NAME_ACTIVATE_TAB,{cancelable:!0,vueTarget:this,componentId:this.safeId()});this.$emit(o.type,r,t,o),o.defaultPrevented||(this.currentTab=r,a=!0)}}return a||this[z]===t||this.$emit(D,t),a},deactivateTab:function(e){return!!e&&this.activateTab(this.tabs.filter((function(t){return t!==e})).find(F))},focusButton:function(e){var t=this;this.$nextTick((function(){(0,f.attemptFocus)(t.getButtonForTab(e))}))},emitTabClick:function(e,t){(0,v.isEvent)(t)&&e&&e.$emit&&!e.disabled&&e.$emit(s.EVENT_NAME_CLICK,t)},clickTab:function(e,t){this.activateTab(e),this.emitTabClick(e,t)},firstTab:function(e){var t=this.tabs.find(F);this.activateTab(t)&&e&&(this.focusButton(t),this.emitTabClick(t,e))},previousTab:function(e){var t=(0,_.mathMax)(this.currentTab,0),n=this.tabs.slice(0,t).reverse().find(F);this.activateTab(n)&&e&&(this.focusButton(n),this.emitTabClick(n,e))},nextTab:function(e){var t=(0,_.mathMax)(this.currentTab,-1),n=this.tabs.slice(t+1).find(F);this.activateTab(n)&&e&&(this.focusButton(n),this.emitTabClick(n,e))},lastTab:function(e){var t=this.tabs.slice().reverse().find(F);this.activateTab(t)&&e&&(this.focusButton(t),this.emitTabClick(t,e))}},render:function(e){var t=this,n=this.align,a=this.card,o=this.end,i=this.fill,l=this.firstTab,c=this.justified,d=this.lastTab,h=this.nextTab,f=this.noKeyNav,p=this.noNavStyle,m=this.pills,v=this.previousTab,g=this.small,_=this.tabs,b=this.vertical,y=_.find((function(e){return e.localActive&&!e.disabled})),I=_.find((function(e){return!e.disabled})),M=_.map((function(n,a){var o,i=n.safeId,c=null;return f||(c=-1,(n===y||!y&&n===I)&&(c=null)),e(R,S({props:{controls:i?i():null,id:n.controlledBy||(i?i("_BV_tab_button_"):null),noKeyNav:f,posInSet:a+1,setSize:_.length,tab:n,tabIndex:c},on:(o={},S(o,s.EVENT_NAME_CLICK,(function(e){t.clickTab(n,e)})),S(o,s.EVENT_NAME_FIRST,l),S(o,s.EVENT_NAME_PREV,v),S(o,s.EVENT_NAME_NEXT,h),S(o,s.EVENT_NAME_LAST,d),o),key:n[r.COMPONENT_UID_KEY]||a,ref:"buttons"},r.REF_FOR_KEY,!0))})),w=e(E.BNav,{class:this.localNavClass,attrs:{role:"tablist",id:this.safeId("_BV_tab_controls_")},props:{fill:i,justified:c,align:n,tabs:!p&&!m,pills:!p&&m,vertical:b,small:g,cardHeader:a&&!b},ref:"nav"},[this.normalizeSlot(u.SLOT_NAME_TABS_START)||e(),M,this.normalizeSlot(u.SLOT_NAME_TABS_END)||e()]);w=e("div",{class:[{"card-header":a&&!b&&!o,"card-footer":a&&!b&&o,"col-auto":b},this.navWrapperClass],key:"bv-tabs-nav"},[w]);var B=this.normalizeSlot()||[],k=e();0===B.length&&(k=e("div",{class:["tab-pane","active",{"card-body":a}],key:"bv-empty-tab"},this.normalizeSlot(u.SLOT_NAME_EMPTY)));var T=e("div",{staticClass:"tab-content",class:[{col:b},this.contentClass],attrs:{id:this.safeId("_BV_tab_container_")},key:"bv-content",ref:"content"},[B,k]);return e(this.tag,{staticClass:"tabs",class:{row:b,"no-gutters":b&&a},attrs:{id:this.safeId()}},[o?T:e(),w,o?e():T])}})},61783:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTime:()=>a.BTime,TimePlugin:()=>r});var a=n(98916),r=(0,n(11638).pluginFactory)({components:{BTime:a.BTime}})},98916:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTime:()=>V,props:()=>H});var a,r=n(1915),o=n(94689),i=n(63294),s=n(63663),l=n(12299),c=n(30824),u=n(11572),d=n(68001),h=n(26410),f=n(28415),p=n(68265),m=n(33284),v=n(3058),g=n(9439),_=n(54602),b=n(93954),y=n(67040),I=n(20451),M=n(46595),w=n(73727),B=n(18280),k=n(44390),T=n(7543);function P(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function E(e){for(var t=1;te.length)&&(t=e.length);for(var n=0,a=new Array(t);n1&&void 0!==arguments[1]&&arguments[1];return(0,m.isNull)(t)||(0,m.isNull)(n)||r&&(0,m.isNull)(a)?"":[t,n,r?a:0].map(R).join(":")}({hours:this.modelHours,minutes:this.modelMinutes,seconds:this.modelSeconds},this.showSeconds)},resolvedOptions:function(){var e=(0,u.concat)(this.locale).filter(p.identity),t={hour:F,minute:F,second:F};(0,m.isUndefinedOrNull)(this.hour12)||(t.hour12=!!this.hour12);var n=new Intl.DateTimeFormat(e,t).resolvedOptions(),a=n.hour12||!1,r=n.hourCycle||(a?"h12":"h23");return{locale:n.locale,hour12:a,hourCycle:r}},computedLocale:function(){return this.resolvedOptions.locale},computedLang:function(){return(this.computedLocale||"").replace(/-u-.*$/,"")},computedRTL:function(){return(0,g.isLocaleRTL)(this.computedLang)},computedHourCycle:function(){return this.resolvedOptions.hourCycle},is12Hour:function(){return!!this.resolvedOptions.hour12},context:function(){return{locale:this.computedLocale,isRTL:this.computedRTL,hourCycle:this.computedHourCycle,hour12:this.is12Hour,hours:this.modelHours,minutes:this.modelMinutes,seconds:this.showSeconds?this.modelSeconds:0,value:this.computedHMS,formatted:this.formattedTimeString}},valueId:function(){return this.safeId()||null},computedAriaLabelledby:function(){return[this.ariaLabelledby,this.valueId].filter(p.identity).join(" ")||null},timeFormatter:function(){var e={hour12:this.is12Hour,hourCycle:this.computedHourCycle,hour:F,minute:F,timeZone:"UTC"};return this.showSeconds&&(e.second=F),(0,d.createDateFormatter)(this.computedLocale,e)},numberFormatter:function(){return new Intl.NumberFormat(this.computedLocale,{style:"decimal",minimumIntegerDigits:2,minimumFractionDigits:0,maximumFractionDigits:0,notation:"standard"}).format},formattedTimeString:function(){var e=this.modelHours,t=this.modelMinutes,n=this.showSeconds&&this.modelSeconds||0;return this.computedHMS?this.timeFormatter((0,d.createDate)(Date.UTC(0,0,1,e,t,n))):this.labelNoTimeSelected||" "},spinScopedSlots:function(){var e=this.$createElement;return{increment:function(t){var n=t.hasFocus;return e(T.BIconChevronUp,{props:{scale:n?1.5:1.25},attrs:{"aria-hidden":"true"}})},decrement:function(t){var n=t.hasFocus;return e(T.BIconChevronUp,{props:{flipV:!0,scale:n?1.5:1.25},attrs:{"aria-hidden":"true"}})}}}},watch:(a={},x(a,z,(function(e,t){if(e!==t&&!(0,v.looseEqual)(N(e),N(this.computedHMS))){var n=N(e),a=n.hours,r=n.minutes,o=n.seconds,i=n.ampm;this.modelHours=a,this.modelMinutes=r,this.modelSeconds=o,this.modelAmpm=i}})),x(a,"computedHMS",(function(e,t){e!==t&&this.$emit(D,e)})),x(a,"context",(function(e,t){(0,v.looseEqual)(e,t)||this.$emit(i.EVENT_NAME_CONTEXT,e)})),x(a,"modelAmpm",(function(e,t){var n=this;if(e!==t){var a=(0,m.isNull)(this.modelHours)?0:this.modelHours;this.$nextTick((function(){0===e&&a>11?n.modelHours=a-12:1===e&&a<12&&(n.modelHours=a+12)}))}})),x(a,"modelHours",(function(e,t){e!==t&&(this.modelAmpm=e>11?1:0)})),a),created:function(){var e=this;this.$nextTick((function(){e.$emit(i.EVENT_NAME_CONTEXT,e.context)}))},mounted:function(){this.setLive(!0)},activated:function(){this.setLive(!0)},deactivated:function(){this.setLive(!1)},beforeDestroy:function(){this.setLive(!1)},methods:{focus:function(){this.disabled||(0,h.attemptFocus)(this.$refs.spinners[0])},blur:function(){if(!this.disabled){var e=(0,h.getActiveElement)();(0,h.contains)(this.$el,e)&&(0,h.attemptBlur)(e)}},formatHours:function(e){var t=this.computedHourCycle;return e=0===(e=this.is12Hour&&e>12?e-12:e)&&"h12"===t?12:0===e&&"h24"===t?24:12===e&&"h11"===t?0:e,this.numberFormatter(e)},formatMinutes:function(e){return this.numberFormatter(e)},formatSeconds:function(e){return this.numberFormatter(e)},formatAmpm:function(e){return 0===e?this.labelAm:1===e?this.labelPm:""},setHours:function(e){this.modelHours=e},setMinutes:function(e){this.modelMinutes=e},setSeconds:function(e){this.modelSeconds=e},setAmpm:function(e){this.modelAmpm=e},onSpinLeftRight:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.type,n=e.keyCode;if(!this.disabled&&"keydown"===t&&(n===s.CODE_LEFT||n===s.CODE_RIGHT)){(0,f.stopEvent)(e);var a=this.$refs.spinners||[],r=a.map((function(e){return!!e.hasFocus})).indexOf(!0);r=(r+=n===s.CODE_LEFT?-1:1)>=a.length?0:r<0?a.length-1:r,(0,h.attemptFocus)(a[r])}},setLive:function(e){var t=this;e?this.$nextTick((function(){(0,h.requestAF)((function(){t.isLive=!0}))})):this.isLive=!1}},render:function(e){var t=this;if(this.hidden)return e();var n=this.disabled,a=this.readonly,o=this.computedLocale,i=this.computedAriaLabelledby,s=this.labelIncrement,l=this.labelDecrement,c=this.valueId,u=this.focus,d=[],h=function(i,u,h){var f=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},p=t.safeId("_spinbutton_".concat(u,"_"))||null;return d.push(p),e(k.BFormSpinbutton,x({class:h,props:E({id:p,placeholder:"--",vertical:!0,required:!0,disabled:n,readonly:a,locale:o,labelIncrement:s,labelDecrement:l,wrap:!0,ariaControls:c,min:0},f),scopedSlots:t.spinScopedSlots,on:{change:i},key:u,ref:"spinners"},r.REF_FOR_KEY,!0))},f=function(){return e("div",{staticClass:"d-flex flex-column",class:{"text-muted":n||a},attrs:{"aria-hidden":"true"}},[e(T.BIconCircleFill,{props:{shiftV:4,scale:.5}}),e(T.BIconCircleFill,{props:{shiftV:-4,scale:.5}})])},m=[];m.push(h(this.setHours,"hours","b-time-hours",{value:this.modelHours,max:23,step:1,formatterFn:this.formatHours,ariaLabel:this.labelHours})),m.push(f()),m.push(h(this.setMinutes,"minutes","b-time-minutes",{value:this.modelMinutes,max:59,step:this.minutesStep||1,formatterFn:this.formatMinutes,ariaLabel:this.labelMinutes})),this.showSeconds&&(m.push(f()),m.push(h(this.setSeconds,"seconds","b-time-seconds",{value:this.modelSeconds,max:59,step:this.secondsStep||1,formatterFn:this.formatSeconds,ariaLabel:this.labelSeconds}))),this.isLive&&this.is12Hour&&m.push(h(this.setAmpm,"ampm","b-time-ampm",{value:this.modelAmpm,max:1,formatterFn:this.formatAmpm,ariaLabel:this.labelAmpm,required:!1})),m=e("div",{staticClass:"d-flex align-items-center justify-content-center mx-auto",attrs:{role:"group",tabindex:n||a?null:"-1","aria-labelledby":i},on:{keydown:this.onSpinLeftRight,click:function(e){e.target===e.currentTarget&&u()}}},m);var v=e("output",{staticClass:"form-control form-control-sm text-center",class:{disabled:n||a},attrs:{id:c,role:"status",for:d.filter(p.identity).join(" ")||null,tabindex:n?null:"-1","aria-live":this.isLive?"polite":"off","aria-atomic":"true"},on:{click:u,focus:u}},[e("bdi",this.formattedTimeString),this.computedHMS?e("span",{staticClass:"sr-only"}," (".concat(this.labelSelected,") ")):""]),g=e(this.headerTag,{staticClass:"b-time-header",class:{"sr-only":this.hideHeader}},[v]),_=this.normalizeSlot(),b=_?e(this.footerTag,{staticClass:"b-time-footer"},_):e();return e("div",{staticClass:"b-time d-inline-flex flex-column text-center",attrs:{role:"group",lang:this.computedLang||null,"aria-labelledby":i||null,"aria-disabled":n?"true":null,"aria-readonly":a&&!n?"true":null}},[g,m,b])}})},20389:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVToastPlugin:()=>E});var a=n(94689),r=n(63294),o=n(93319),i=n(11572),s=n(79968),l=n(26410),c=n(28415),u=n(33284),d=n(67040),h=n(11638),f=n(37568),p=n(55789),m=n(91076),v=n(10575);function g(e,t){for(var n=0;ne.length)&&(t=e.length);for(var n=0,a=new Array(t);n1&&void 0!==arguments[1]?arguments[1]:{};e&&!(0,f.warnNotClient)(w)&&function(e,n){if(!(0,f.warnNotClient)(w)){var r=(0,p.createNewChildComponent)(n,t,{propsData:b(b(b({},P((0,s.getComponentConfig)(a.NAME_TOAST))),(0,d.omit)(e,(0,d.keys)(T))),{},{static:!1,visible:!0})});(0,d.keys)(T).forEach((function(t){var a=e[t];(0,u.isUndefined)(a)||("title"===t&&(0,u.isString)(a)&&(a=[n.$createElement("strong",{class:"mr-2"},a)]),r.$slots[T[t]]=(0,i.concat)(a))}));var o=document.createElement("div");document.body.appendChild(o),r.$mount(o)}}(b(b({},P(n)),{},{toastContent:e}),this._vm)}},{key:"show",value:function(e){e&&this._root.$emit((0,c.getRootActionEventName)(a.NAME_TOAST,r.EVENT_NAME_SHOW),e)}},{key:"hide",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;this._root.$emit((0,c.getRootActionEventName)(a.NAME_TOAST,r.EVENT_NAME_HIDE),e)}}],o&&g(n.prototype,o),l&&g(n,l),Object.defineProperty(n,"prototype",{writable:!1}),e}();e.mixin({beforeCreate:function(){this[B]=new n(this)}}),(0,d.hasOwnProperty)(e.prototype,w)||(0,d.defineProperty)(e.prototype,w,{get:function(){return this&&this[B]||(0,f.warn)('"'.concat(w,'" must be accessed from a Vue instance "this" context.'),a.NAME_TOAST),this[B]}})}}})},48233:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BToast:()=>r.BToast,BToaster:()=>o.BToaster,ToastPlugin:()=>i});var a=n(20389),r=n(10575),o=n(33628),i=(0,n(11638).pluginFactory)({components:{BToast:r.BToast,BToaster:o.BToaster},plugins:{BVToastPlugin:a.BVToastPlugin}})},10575:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BToast:()=>N,props:()=>R});var a,r=n(72433),o=n(1915),i=n(94689),s=n(63294),l=n(12299),c=n(90494),u=n(37130),d=n(26410),h=n(28415),f=n(21578),p=n(54602),m=n(93954),v=n(67040),g=n(20451),_=n(30488),b=n(55789),y=n(28492),I=n(73727),M=n(98596),w=n(18280),B=n(30051),k=n(91451),T=n(67347),P=n(17100),E=n(33628);function x(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function O(e){for(var t=1;t1&&void 0!==arguments[1]?arguments[1]:{};return new u.BvEvent(e,O(O({cancelable:!1,target:this.$el||null,relatedTarget:null},t),{},{vueTarget:this,componentId:this.safeId()}))},emitEvent:function(e){var t=e.type;this.emitOnRoot((0,h.getRootEventName)(i.NAME_TOAST,t),e),this.$emit(t,e)},ensureToaster:function(){if(!this.static){var e=this.computedToaster;if(!r.Wormhole.hasTarget(e)){var t=document.createElement("div");document.body.appendChild(t),(0,b.createNewChildComponent)(this.bvEventRoot,E.BToaster,{propsData:{name:e}}).$mount(t)}}},startDismissTimer:function(){this.clearDismissTimer(),this.noAutoHide||(this.$_dismissTimer=setTimeout(this.hide,this.resumeDismiss||this.computedDuration),this.dismissStarted=Date.now(),this.resumeDismiss=0)},clearDismissTimer:function(){clearTimeout(this.$_dismissTimer),this.$_dismissTimer=null},setHoverHandler:function(e){var t=this.$refs["b-toast"];(0,h.eventOnOff)(e,t,"mouseenter",this.onPause,s.EVENT_OPTIONS_NO_CAPTURE),(0,h.eventOnOff)(e,t,"mouseleave",this.onUnPause,s.EVENT_OPTIONS_NO_CAPTURE)},onPause:function(){if(!this.noAutoHide&&!this.noHoverPause&&this.$_dismissTimer&&!this.resumeDismiss){var e=Date.now()-this.dismissStarted;e>0&&(this.clearDismissTimer(),this.resumeDismiss=(0,f.mathMax)(this.computedDuration-e,1e3))}},onUnPause:function(){this.noAutoHide||this.noHoverPause||!this.resumeDismiss?this.resumeDismiss=this.dismissStarted=0:this.startDismissTimer()},onLinkClick:function(){var e=this;this.$nextTick((function(){(0,d.requestAF)((function(){e.hide()}))}))},onBeforeEnter:function(){this.isTransitioning=!0},onAfterEnter:function(){this.isTransitioning=!1;var e=this.buildEvent(s.EVENT_NAME_SHOWN);this.emitEvent(e),this.startDismissTimer(),this.setHoverHandler(!0)},onBeforeLeave:function(){this.isTransitioning=!0},onAfterLeave:function(){this.isTransitioning=!1,this.order=0,this.resumeDismiss=this.dismissStarted=0;var e=this.buildEvent(s.EVENT_NAME_HIDDEN);this.emitEvent(e),this.doRender=!1},makeToast:function(e){var t=this,n=this.title,a=this.slotScope,r=(0,_.isLink)(this),i=[],s=this.normalizeSlot(c.SLOT_NAME_TOAST_TITLE,a);s?i.push(s):n&&i.push(e("strong",{staticClass:"mr-2"},n)),this.noCloseButton||i.push(e(k.BButtonClose,{staticClass:"ml-auto mb-1",on:{click:function(){t.hide()}}}));var l=e();i.length>0&&(l=e(this.headerTag,{staticClass:"toast-header",class:this.headerClass},i));var u=e(r?T.BLink:"div",{staticClass:"toast-body",class:this.bodyClass,props:r?(0,g.pluckProps)(F,this):{},on:r?{click:this.onLinkClick}:{}},this.normalizeSlot(c.SLOT_NAME_DEFAULT,a));return e("div",{staticClass:"toast",class:this.toastClass,attrs:this.computedAttrs,key:"toast-".concat(this[o.COMPONENT_UID_KEY]),ref:"toast"},[l,u])}},render:function(e){if(!this.doRender||!this.isMounted)return e();var t=this.order,n=this.static,a=this.isHiding,i=this.isStatus,s="b-toast-".concat(this[o.COMPONENT_UID_KEY]),l=e("div",{staticClass:"b-toast",class:this.toastClasses,attrs:O(O({},n?{}:this.scopedStyleAttrs),{},{id:this.safeId("_toast_outer"),role:a?null:i?"status":"alert","aria-live":a?null:i?"polite":"assertive","aria-atomic":a?null:"true"}),key:s,ref:"b-toast"},[e(P.BVTransition,{props:{noFade:this.noFade},on:this.transitionHandlers},[this.localShow?this.makeToast(e):e()])]);return e(r.Portal,{props:{name:s,to:this.computedToaster,order:t,slim:!0,disabled:n}},[l])}})},33628:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BToaster:()=>v,DefaultTransition:()=>p,props:()=>m});var a=n(72433),r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(26410),c=n(28415),u=n(20451),d=n(37568),h=n(98596),f=n(18280),p=(0,r.extend)({mixins:[f.normalizeSlotMixin],data:function(){return{name:"b-toaster"}},methods:{onAfterEnter:function(e){var t=this;(0,l.requestAF)((function(){(0,l.removeClass)(e,"".concat(t.name,"-enter-to"))}))}},render:function(e){return e("transition-group",{props:{tag:"div",name:this.name},on:{afterEnter:this.onAfterEnter}},this.normalizeSlot())}}),m=(0,u.makePropsConfigurable)({ariaAtomic:(0,u.makeProp)(s.PROP_TYPE_STRING),ariaLive:(0,u.makeProp)(s.PROP_TYPE_STRING),name:(0,u.makeProp)(s.PROP_TYPE_STRING,void 0,!0),role:(0,u.makeProp)(s.PROP_TYPE_STRING)},o.NAME_TOASTER),v=(0,r.extend)({name:o.NAME_TOASTER,mixins:[h.listenOnRootMixin],props:m,data:function(){return{doRender:!1,dead:!1,staticName:this.name}},beforeMount:function(){var e=this.name;this.staticName=e,a.Wormhole.hasTarget(e)?((0,d.warn)('A "" with name "'.concat(e,'" already exists in the document.'),o.NAME_TOASTER),this.dead=!0):this.doRender=!0},beforeDestroy:function(){this.doRender&&this.emitOnRoot((0,c.getRootEventName)(o.NAME_TOASTER,i.EVENT_NAME_DESTROYED),this.name)},destroyed:function(){var e=this.$el;e&&e.parentNode&&e.parentNode.removeChild(e)},render:function(e){var t=e("div",{class:["d-none",{"b-dead-toaster":this.dead}]});if(this.doRender){var n=e(a.PortalTarget,{staticClass:"b-toaster-slot",props:{name:this.staticName,multiple:!0,tag:"div",slim:!1,transition:p}});t=e("div",{staticClass:"b-toaster",class:[this.staticName],attrs:{id:this.staticName,role:this.role||null,"aria-live":this.ariaLive,"aria-atomic":this.ariaAtomic}},[n])}return t}})},85591:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVPopper:()=>g,props:()=>v});var a=n(28981),r=n(1915),o=n(94689),i=n(63294),s=n(12299),l=n(28112),c=n(93319),u=n(26410),d=n(93954),h=n(20451),f=n(17100),p={AUTO:"auto",TOP:"top",RIGHT:"right",BOTTOM:"bottom",LEFT:"left",TOPLEFT:"top",TOPRIGHT:"top",RIGHTTOP:"right",RIGHTBOTTOM:"right",BOTTOMLEFT:"bottom",BOTTOMRIGHT:"bottom",LEFTTOP:"left",LEFTBOTTOM:"left"},m={AUTO:0,TOPLEFT:-1,TOP:0,TOPRIGHT:1,RIGHTTOP:-1,RIGHT:0,RIGHTBOTTOM:1,BOTTOMLEFT:-1,BOTTOM:0,BOTTOMRIGHT:1,LEFTTOP:-1,LEFT:0,LEFTBOTTOM:1},v={arrowPadding:(0,h.makeProp)(s.PROP_TYPE_NUMBER_STRING,6),boundary:(0,h.makeProp)([l.HTMLElement,s.PROP_TYPE_STRING],"scrollParent"),boundaryPadding:(0,h.makeProp)(s.PROP_TYPE_NUMBER_STRING,5),fallbackPlacement:(0,h.makeProp)(s.PROP_TYPE_ARRAY_STRING,"flip"),offset:(0,h.makeProp)(s.PROP_TYPE_NUMBER_STRING,0),placement:(0,h.makeProp)(s.PROP_TYPE_STRING,"top"),target:(0,h.makeProp)([l.HTMLElement,l.SVGElement])},g=(0,r.extend)({name:o.NAME_POPPER,mixins:[c.useParentMixin],props:v,data:function(){return{noFade:!1,localShow:!0,attachment:this.getAttachment(this.placement)}},computed:{templateType:function(){return"unknown"},popperConfig:function(){var e=this,t=this.placement;return{placement:this.getAttachment(t),modifiers:{offset:{offset:this.getOffset(t)},flip:{behavior:this.fallbackPlacement},arrow:{element:".arrow"},preventOverflow:{padding:this.boundaryPadding,boundariesElement:this.boundary}},onCreate:function(t){t.originalPlacement!==t.placement&&e.popperPlacementChange(t)},onUpdate:function(t){e.popperPlacementChange(t)}}}},created:function(){var e=this;this.$_popper=null,this.localShow=!0,this.$on(i.EVENT_NAME_SHOW,(function(t){e.popperCreate(t)}));var t=function(){e.$nextTick((function(){(0,u.requestAF)((function(){e.$destroy()}))}))};this.bvParent.$once(i.HOOK_EVENT_NAME_DESTROYED,t),this.$once(i.EVENT_NAME_HIDDEN,t)},beforeMount:function(){this.attachment=this.getAttachment(this.placement)},updated:function(){this.updatePopper()},beforeDestroy:function(){this.destroyPopper()},destroyed:function(){var e=this.$el;e&&e.parentNode&&e.parentNode.removeChild(e)},methods:{hide:function(){this.localShow=!1},getAttachment:function(e){return p[String(e).toUpperCase()]||"auto"},getOffset:function(e){if(!this.offset){var t=this.$refs.arrow||(0,u.select)(".arrow",this.$el),n=(0,d.toFloat)((0,u.getCS)(t).width,0)+(0,d.toFloat)(this.arrowPadding,0);switch(m[String(e).toUpperCase()]||0){case 1:return"+50%p - ".concat(n,"px");case-1:return"-50%p + ".concat(n,"px");default:return 0}}return this.offset},popperCreate:function(e){this.destroyPopper(),this.$_popper=new a.default(this.target,e,this.popperConfig)},destroyPopper:function(){this.$_popper&&this.$_popper.destroy(),this.$_popper=null},updatePopper:function(){this.$_popper&&this.$_popper.scheduleUpdate()},popperPlacementChange:function(e){this.attachment=this.getAttachment(e.placement)},renderTemplate:function(e){return e("div")}},render:function(e){var t=this,n=this.noFade;return e(f.BVTransition,{props:{appear:!0,noFade:n},on:{beforeEnter:function(e){return t.$emit(i.EVENT_NAME_SHOW,e)},afterEnter:function(e){return t.$emit(i.EVENT_NAME_SHOWN,e)},beforeLeave:function(e){return t.$emit(i.EVENT_NAME_HIDE,e)},afterLeave:function(e){return t.$emit(i.EVENT_NAME_HIDDEN,e)}}},[this.localShow?this.renderTemplate(e):e()])}})},91185:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVTooltipTemplate:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(63294),i=n(12299),s=n(33284),l=n(20451),c=n(30051),u=n(85591);function d(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function h(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BVTooltip:()=>A});var a=n(1915),r=n(94689),o=n(63294),i=n(93319),s=n(11572),l=n(99022),c=n(26410),u=n(28415),d=n(13597),h=n(68265),f=n(33284),p=n(3058),m=n(21578),v=n(84941),g=n(93954),_=n(67040),b=n(37568),y=n(37130),I=n(55789),M=n(98596),w=n(91185);function B(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function k(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},n=!1;(0,_.keys)(S).forEach((function(a){(0,f.isUndefined)(t[a])||e[a]===t[a]||(e[a]=t[a],"title"===a&&(n=!0))})),n&&this.localShow&&this.fixTitle()},createTemplateAndShow:function(){var e=this.getContainer(),t=this.getTemplate(),n=this.$_tip=(0,I.createNewChildComponent)(this,t,{propsData:{id:this.computedId,html:this.html,placement:this.placement,fallbackPlacement:this.fallbackPlacement,target:this.getPlacementTarget(),boundary:this.getBoundary(),offset:(0,g.toInteger)(this.offset,0),arrowPadding:(0,g.toInteger)(this.arrowPadding,0),boundaryPadding:(0,g.toInteger)(this.boundaryPadding,0)}});this.handleTemplateUpdate(),n.$once(o.EVENT_NAME_SHOW,this.onTemplateShow),n.$once(o.EVENT_NAME_SHOWN,this.onTemplateShown),n.$once(o.EVENT_NAME_HIDE,this.onTemplateHide),n.$once(o.EVENT_NAME_HIDDEN,this.onTemplateHidden),n.$once(o.HOOK_EVENT_NAME_DESTROYED,this.destroyTemplate),n.$on(o.EVENT_NAME_FOCUSIN,this.handleEvent),n.$on(o.EVENT_NAME_FOCUSOUT,this.handleEvent),n.$on(o.EVENT_NAME_MOUSEENTER,this.handleEvent),n.$on(o.EVENT_NAME_MOUSELEAVE,this.handleEvent),n.$mount(e.appendChild(document.createElement("div")))},hideTemplate:function(){this.$_tip&&this.$_tip.hide(),this.clearActiveTriggers(),this.$_hoverState=""},destroyTemplate:function(){this.setWhileOpenListeners(!1),this.clearHoverTimeout(),this.$_hoverState="",this.clearActiveTriggers(),this.localPlacementTarget=null;try{this.$_tip.$destroy()}catch(e){}this.$_tip=null,this.removeAriaDescribedby(),this.restoreTitle(),this.localShow=!1},getTemplateElement:function(){return this.$_tip?this.$_tip.$el:null},handleTemplateUpdate:function(){var e=this,t=this.$_tip;if(t){["title","content","variant","customClass","noFade","interactive"].forEach((function(n){t[n]!==e[n]&&(t[n]=e[n])}))}},show:function(){var e=this.getTarget();if(e&&(0,c.contains)(document.body,e)&&(0,c.isVisible)(e)&&!this.dropdownOpen()&&(!(0,f.isUndefinedOrNull)(this.title)&&""!==this.title||!(0,f.isUndefinedOrNull)(this.content)&&""!==this.content)&&!this.$_tip&&!this.localShow){this.localShow=!0;var t=this.buildEvent(o.EVENT_NAME_SHOW,{cancelable:!0});this.emitEvent(t),t.defaultPrevented?this.destroyTemplate():(this.fixTitle(),this.addAriaDescribedby(),this.createTemplateAndShow())}},hide:function(){var e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];if(this.getTemplateElement()&&this.localShow){var t=this.buildEvent(o.EVENT_NAME_HIDE,{cancelable:!e});this.emitEvent(t),t.defaultPrevented||this.hideTemplate()}else this.restoreTitle()},forceHide:function(){this.getTemplateElement()&&this.localShow&&(this.setWhileOpenListeners(!1),this.clearHoverTimeout(),this.$_hoverState="",this.clearActiveTriggers(),this.$_tip&&(this.$_tip.noFade=!0),this.hide(!0))},enable:function(){this.$_enabled=!0,this.emitEvent(this.buildEvent(o.EVENT_NAME_ENABLED))},disable:function(){this.$_enabled=!1,this.emitEvent(this.buildEvent(o.EVENT_NAME_DISABLED))},onTemplateShow:function(){this.setWhileOpenListeners(!0)},onTemplateShown:function(){var e=this.$_hoverState;this.$_hoverState="","out"===e&&this.leave(null),this.emitEvent(this.buildEvent(o.EVENT_NAME_SHOWN))},onTemplateHide:function(){this.setWhileOpenListeners(!1)},onTemplateHidden:function(){this.destroyTemplate(),this.emitEvent(this.buildEvent(o.EVENT_NAME_HIDDEN))},getTarget:function(){var e=this.target;return(0,f.isString)(e)?e=(0,c.getById)(e.replace(/^#/,"")):(0,f.isFunction)(e)?e=e():e&&(e=e.$el||e),(0,c.isElement)(e)?e:null},getPlacementTarget:function(){return this.getTarget()},getTargetId:function(){var e=this.getTarget();return e&&e.id?e.id:null},getContainer:function(){var e=!!this.container&&(this.container.$el||this.container),t=document.body,n=this.getTarget();return!1===e?(0,c.closest)(x,n)||t:(0,f.isString)(e)&&(0,c.getById)(e.replace(/^#/,""))||t},getBoundary:function(){return this.boundary?this.boundary.$el||this.boundary:"scrollParent"},isInModal:function(){var e=this.getTarget();return e&&(0,c.closest)(P,e)},isDropdown:function(){var e=this.getTarget();return e&&(0,c.hasClass)(e,"dropdown")},dropdownOpen:function(){var e=this.getTarget();return this.isDropdown()&&e&&(0,c.select)(".dropdown-menu.show",e)},clearHoverTimeout:function(){clearTimeout(this.$_hoverTimeout),this.$_hoverTimeout=null},clearVisibilityInterval:function(){clearInterval(this.$_visibleInterval),this.$_visibleInterval=null},clearActiveTriggers:function(){for(var e in this.activeTrigger)this.activeTrigger[e]=!1},addAriaDescribedby:function(){var e=this.getTarget(),t=(0,c.getAttr)(e,"aria-describedby")||"";t=t.split(/\s+/).concat(this.computedId).join(" ").trim(),(0,c.setAttr)(e,"aria-describedby",t)},removeAriaDescribedby:function(){var e=this,t=this.getTarget(),n=(0,c.getAttr)(t,"aria-describedby")||"";(n=n.split(/\s+/).filter((function(t){return t!==e.computedId})).join(" ").trim())?(0,c.setAttr)(t,"aria-describedby",n):(0,c.removeAttr)(t,"aria-describedby")},fixTitle:function(){var e=this.getTarget();if((0,c.hasAttr)(e,"title")){var t=(0,c.getAttr)(e,"title");(0,c.setAttr)(e,"title",""),t&&(0,c.setAttr)(e,O,t)}},restoreTitle:function(){var e=this.getTarget();if((0,c.hasAttr)(e,O)){var t=(0,c.getAttr)(e,O);(0,c.removeAttr)(e,O),t&&(0,c.setAttr)(e,"title",t)}},buildEvent:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return new y.BvEvent(e,k({cancelable:!1,target:this.getTarget(),relatedTarget:this.getTemplateElement()||null,componentId:this.computedId,vueTarget:this},t))},emitEvent:function(e){var t=e.type;this.emitOnRoot((0,u.getRootEventName)(this.templateType,t),e),this.$emit(t,e)},listen:function(){var e=this,t=this.getTarget();t&&(this.setRootListener(!0),this.computedTriggers.forEach((function(n){"click"===n?(0,u.eventOn)(t,"click",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE):"focus"===n?((0,u.eventOn)(t,"focusin",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE),(0,u.eventOn)(t,"focusout",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE)):"blur"===n?(0,u.eventOn)(t,"focusout",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE):"hover"===n&&((0,u.eventOn)(t,"mouseenter",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE),(0,u.eventOn)(t,"mouseleave",e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE))}),this))},unListen:function(){var e=this,t=this.getTarget();this.setRootListener(!1),["click","focusin","focusout","mouseenter","mouseleave"].forEach((function(n){t&&(0,u.eventOff)(t,n,e.handleEvent,o.EVENT_OPTIONS_NO_CAPTURE)}),this)},setRootListener:function(e){var t=e?"listenOnRoot":"listenOffRoot",n=this.templateType;this[t]((0,u.getRootActionEventName)(n,o.EVENT_NAME_HIDE),this.doHide),this[t]((0,u.getRootActionEventName)(n,o.EVENT_NAME_SHOW),this.doShow),this[t]((0,u.getRootActionEventName)(n,o.EVENT_NAME_DISABLE),this.doDisable),this[t]((0,u.getRootActionEventName)(n,o.EVENT_NAME_ENABLE),this.doEnable)},setWhileOpenListeners:function(e){this.setModalListener(e),this.setDropdownListener(e),this.visibleCheck(e),this.setOnTouchStartListener(e)},visibleCheck:function(e){var t=this;this.clearVisibilityInterval();var n=this.getTarget();e&&(this.$_visibleInterval=setInterval((function(){!t.getTemplateElement()||!t.localShow||n.parentNode&&(0,c.isVisible)(n)||t.forceHide()}),100))},setModalListener:function(e){this.isInModal()&&this[e?"listenOnRoot":"listenOffRoot"](E,this.forceHide)},setOnTouchStartListener:function(e){var t=this;"ontouchstart"in document.documentElement&&(0,s.from)(document.body.children).forEach((function(n){(0,u.eventOnOff)(e,n,"mouseover",t.$_noop)}))},setDropdownListener:function(e){var t=this.getTarget();if(t&&this.bvEventRoot&&this.isDropdown){var n=(0,l.getInstanceFromElement)(t);n&&n[e?"$on":"$off"](o.EVENT_NAME_SHOWN,this.forceHide)}},handleEvent:function(e){var t=this.getTarget();if(t&&!(0,c.isDisabled)(t)&&this.$_enabled&&!this.dropdownOpen()){var n=e.type,a=this.computedTriggers;if("click"===n&&(0,s.arrayIncludes)(a,"click"))this.click(e);else if("mouseenter"===n&&(0,s.arrayIncludes)(a,"hover"))this.enter(e);else if("focusin"===n&&(0,s.arrayIncludes)(a,"focus"))this.enter(e);else if("focusout"===n&&((0,s.arrayIncludes)(a,"focus")||(0,s.arrayIncludes)(a,"blur"))||"mouseleave"===n&&(0,s.arrayIncludes)(a,"hover")){var r=this.getTemplateElement(),o=e.target,i=e.relatedTarget;if(r&&(0,c.contains)(r,o)&&(0,c.contains)(t,i)||r&&(0,c.contains)(t,o)&&(0,c.contains)(r,i)||r&&(0,c.contains)(r,o)&&(0,c.contains)(r,i)||(0,c.contains)(t,o)&&(0,c.contains)(t,i))return;this.leave(e)}}},doHide:function(e){e&&this.getTargetId()!==e&&this.computedId!==e||this.forceHide()},doShow:function(e){e&&this.getTargetId()!==e&&this.computedId!==e||this.show()},doDisable:function(e){e&&this.getTargetId()!==e&&this.computedId!==e||this.disable()},doEnable:function(e){e&&this.getTargetId()!==e&&this.computedId!==e||this.enable()},click:function(e){this.$_enabled&&!this.dropdownOpen()&&((0,c.attemptFocus)(e.currentTarget),this.activeTrigger.click=!this.activeTrigger.click,this.isWithActiveTrigger?this.enter(null):this.leave(null))},toggle:function(){this.$_enabled&&!this.dropdownOpen()&&(this.localShow?this.leave(null):this.enter(null))},enter:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;t&&(this.activeTrigger["focusin"===t.type?"focus":"hover"]=!0),this.localShow||"in"===this.$_hoverState?this.$_hoverState="in":(this.clearHoverTimeout(),this.$_hoverState="in",this.computedDelay.show?(this.fixTitle(),this.$_hoverTimeout=setTimeout((function(){"in"===e.$_hoverState?e.show():e.localShow||e.restoreTitle()}),this.computedDelay.show)):this.show())},leave:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;t&&(this.activeTrigger["focusout"===t.type?"focus":"hover"]=!1,"focusout"===t.type&&(0,s.arrayIncludes)(this.computedTriggers,"blur")&&(this.activeTrigger.click=!1,this.activeTrigger.hover=!1)),this.isWithActiveTrigger||(this.clearHoverTimeout(),this.$_hoverState="out",this.computedDelay.hide?this.$_hoverTimeout=setTimeout((function(){"out"===e.$_hoverState&&e.hide()}),this.computedDelay.hide):this.hide())}}})},63886:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTooltip:()=>a.BTooltip,TooltipPlugin:()=>o});var a=n(18365),r=n(9153),o=(0,n(11638).pluginFactory)({components:{BTooltip:a.BTooltip},plugins:{VBTooltipPlugin:r.VBTooltipPlugin}})},18365:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BTooltip:()=>k,props:()=>B});var a,r,o=n(1915),i=n(94689),s=n(63294),l=n(12299),c=n(28112),u=n(93319),d=n(13597),h=n(33284),f=n(67040),p=n(20451),m=n(55789),v=n(18280),g=n(40960);function _(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function b(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var y="disabled",I=s.MODEL_EVENT_NAME_PREFIX+y,M="show",w=s.MODEL_EVENT_NAME_PREFIX+M,B=(0,p.makePropsConfigurable)((b(a={boundary:(0,p.makeProp)([c.HTMLElement,l.PROP_TYPE_OBJECT,l.PROP_TYPE_STRING],"scrollParent"),boundaryPadding:(0,p.makeProp)(l.PROP_TYPE_NUMBER_STRING,50),container:(0,p.makeProp)([c.HTMLElement,l.PROP_TYPE_OBJECT,l.PROP_TYPE_STRING]),customClass:(0,p.makeProp)(l.PROP_TYPE_STRING),delay:(0,p.makeProp)(l.PROP_TYPE_NUMBER_OBJECT_STRING,50)},y,(0,p.makeProp)(l.PROP_TYPE_BOOLEAN,!1)),b(a,"fallbackPlacement",(0,p.makeProp)(l.PROP_TYPE_ARRAY_STRING,"flip")),b(a,"id",(0,p.makeProp)(l.PROP_TYPE_STRING)),b(a,"noFade",(0,p.makeProp)(l.PROP_TYPE_BOOLEAN,!1)),b(a,"noninteractive",(0,p.makeProp)(l.PROP_TYPE_BOOLEAN,!1)),b(a,"offset",(0,p.makeProp)(l.PROP_TYPE_NUMBER_STRING,0)),b(a,"placement",(0,p.makeProp)(l.PROP_TYPE_STRING,"top")),b(a,M,(0,p.makeProp)(l.PROP_TYPE_BOOLEAN,!1)),b(a,"target",(0,p.makeProp)([c.HTMLElement,c.SVGElement,l.PROP_TYPE_FUNCTION,l.PROP_TYPE_OBJECT,l.PROP_TYPE_STRING],void 0,!0)),b(a,"title",(0,p.makeProp)(l.PROP_TYPE_STRING)),b(a,"triggers",(0,p.makeProp)(l.PROP_TYPE_ARRAY_STRING,"hover focus")),b(a,"variant",(0,p.makeProp)(l.PROP_TYPE_STRING)),a),i.NAME_TOOLTIP),k=(0,o.extend)({name:i.NAME_TOOLTIP,mixins:[v.normalizeSlotMixin,u.useParentMixin],inheritAttrs:!1,props:B,data:function(){return{localShow:this[M],localTitle:"",localContent:""}},computed:{templateData:function(){return function(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BVTransition:()=>p,props:()=>f});var a=n(1915),r=n(94689),o=n(12299),i=n(33284),s=n(20451);function l(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function c(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BVTransporter:()=>b,props:()=>v});var a=n(1915),r=n(94689),o=n(43935),i=n(12299),s=n(28112),l=n(11572),c=n(26410),u=n(68265),d=n(33284),h=n(18280),f=n(20451),p=n(55789),m=(0,a.extend)({abstract:!0,name:r.NAME_TRANSPORTER_TARGET,props:{nodes:(0,f.makeProp)(i.PROP_TYPE_ARRAY_FUNCTION)},data:function(e){return{updatedNodes:e.nodes}},destroyed:function(){(0,c.removeNode)(this.$el)},render:function(e){var t=this.updatedNodes,n=(0,d.isFunction)(t)?t({}):t;return(n=(0,l.concat)(n).filter(u.identity))&&n.length>0&&!n[0].text?n[0]:e()}}),v={container:(0,f.makeProp)([s.HTMLElement,i.PROP_TYPE_STRING],"body"),disabled:(0,f.makeProp)(i.PROP_TYPE_BOOLEAN,!1),tag:(0,f.makeProp)(i.PROP_TYPE_STRING,"div")},g=(0,a.extend)({name:r.NAME_TRANSPORTER,mixins:[h.normalizeSlotMixin],props:v,watch:{disabled:{immediate:!0,handler:function(e){e?this.unmountTarget():this.$nextTick(this.mountTarget)}}},created:function(){this.$_defaultFn=null,this.$_target=null},beforeMount:function(){this.mountTarget()},updated:function(){this.updateTarget()},beforeDestroy:function(){this.unmountTarget(),this.$_defaultFn=null},methods:{getContainer:function(){if(o.IS_BROWSER){var e=this.container;return(0,d.isString)(e)?(0,c.select)(e):e}return null},mountTarget:function(){if(!this.$_target){var e=this.getContainer();if(e){var t=document.createElement("div");e.appendChild(t),this.$_target=(0,p.createNewChildComponent)(this,m,{el:t,propsData:{nodes:(0,l.concat)(this.normalizeSlot())}})}}},updateTarget:function(){if(o.IS_BROWSER&&this.$_target){var e=this.$scopedSlots.default;this.disabled||(e&&this.$_defaultFn!==e?this.$_target.updatedNodes=e:e||(this.$_target.updatedNodes=this.$slots.default)),this.$_defaultFn=e}},unmountTarget:function(){this.$_target&&this.$_target.$destroy(),this.$_target=null}},render:function(e){if(this.disabled){var t=(0,l.concat)(this.normalizeSlot()).filter(u.identity);if(t.length>0&&!t[0].text)return t[0]}return e()}}),_=(0,a.extend)({name:r.NAME_TRANSPORTER,mixins:[h.normalizeSlotMixin],props:v,render:function(e){if(this.disabled){var t=(0,l.concat)(this.normalizeSlot()).filter(u.identity);if(t.length>0)return t[0]}return e(a.Vue.Teleport,{to:this.container},this.normalizeSlot())}}),b=a.isVue3?_:g},90622:(e,t,n)=>{"use strict";n.r(t),n.d(t,{CLASS_NAME_FADE:()=>r,CLASS_NAME_SHOW:()=>a});var a="show",r="fade"},94689:(e,t,n)=>{"use strict";n.r(t),n.d(t,{NAME_ALERT:()=>a,NAME_ASPECT:()=>r,NAME_AVATAR:()=>o,NAME_AVATAR_GROUP:()=>i,NAME_BADGE:()=>s,NAME_BREADCRUMB:()=>l,NAME_BREADCRUMB_ITEM:()=>c,NAME_BREADCRUMB_LINK:()=>u,NAME_BUTTON:()=>d,NAME_BUTTON_CLOSE:()=>h,NAME_BUTTON_GROUP:()=>f,NAME_BUTTON_TOOLBAR:()=>p,NAME_CALENDAR:()=>m,NAME_CARD:()=>v,NAME_CARD_BODY:()=>g,NAME_CARD_FOOTER:()=>_,NAME_CARD_GROUP:()=>b,NAME_CARD_HEADER:()=>y,NAME_CARD_IMG:()=>I,NAME_CARD_IMG_LAZY:()=>M,NAME_CARD_SUB_TITLE:()=>w,NAME_CARD_TEXT:()=>B,NAME_CARD_TITLE:()=>k,NAME_CAROUSEL:()=>T,NAME_CAROUSEL_SLIDE:()=>P,NAME_COL:()=>E,NAME_COLLAPSE:()=>x,NAME_COLLAPSE_HELPER:()=>ht,NAME_CONTAINER:()=>O,NAME_DROPDOWN:()=>S,NAME_DROPDOWN_DIVIDER:()=>A,NAME_DROPDOWN_FORM:()=>L,NAME_DROPDOWN_GROUP:()=>C,NAME_DROPDOWN_HEADER:()=>z,NAME_DROPDOWN_ITEM:()=>D,NAME_DROPDOWN_ITEM_BUTTON:()=>F,NAME_DROPDOWN_TEXT:()=>R,NAME_EMBED:()=>N,NAME_FORM:()=>H,NAME_FORM_BUTTON_LABEL_CONTROL:()=>ft,NAME_FORM_CHECKBOX:()=>V,NAME_FORM_CHECKBOX_GROUP:()=>Y,NAME_FORM_DATALIST:()=>j,NAME_FORM_DATEPICKER:()=>U,NAME_FORM_FILE:()=>$,NAME_FORM_GROUP:()=>W,NAME_FORM_INPUT:()=>G,NAME_FORM_INVALID_FEEDBACK:()=>q,NAME_FORM_RADIO:()=>X,NAME_FORM_RADIO_GROUP:()=>K,NAME_FORM_RATING:()=>J,NAME_FORM_RATING_STAR:()=>pt,NAME_FORM_ROW:()=>Z,NAME_FORM_SELECT:()=>Q,NAME_FORM_SELECT_OPTION:()=>ee,NAME_FORM_SELECT_OPTION_GROUP:()=>te,NAME_FORM_SPINBUTTON:()=>ne,NAME_FORM_TAG:()=>ae,NAME_FORM_TAGS:()=>re,NAME_FORM_TEXT:()=>oe,NAME_FORM_TEXTAREA:()=>ie,NAME_FORM_TIMEPICKER:()=>se,NAME_FORM_VALID_FEEDBACK:()=>le,NAME_ICON:()=>ce,NAME_ICONSTACK:()=>ue,NAME_ICON_BASE:()=>de,NAME_IMG:()=>he,NAME_IMG_LAZY:()=>fe,NAME_INPUT_GROUP:()=>pe,NAME_INPUT_GROUP_ADDON:()=>me,NAME_INPUT_GROUP_APPEND:()=>ve,NAME_INPUT_GROUP_PREPEND:()=>ge,NAME_INPUT_GROUP_TEXT:()=>_e,NAME_JUMBOTRON:()=>be,NAME_LINK:()=>ye,NAME_LIST_GROUP:()=>Ie,NAME_LIST_GROUP_ITEM:()=>Me,NAME_MEDIA:()=>we,NAME_MEDIA_ASIDE:()=>Be,NAME_MEDIA_BODY:()=>ke,NAME_MODAL:()=>Te,NAME_MSG_BOX:()=>Pe,NAME_NAV:()=>Ee,NAME_NAVBAR:()=>xe,NAME_NAVBAR_BRAND:()=>Oe,NAME_NAVBAR_NAV:()=>Se,NAME_NAVBAR_TOGGLE:()=>Ae,NAME_NAV_FORM:()=>Le,NAME_NAV_ITEM:()=>Ce,NAME_NAV_ITEM_DROPDOWN:()=>ze,NAME_NAV_TEXT:()=>De,NAME_OVERLAY:()=>Fe,NAME_PAGINATION:()=>Re,NAME_PAGINATION_NAV:()=>Ne,NAME_POPOVER:()=>He,NAME_POPOVER_HELPER:()=>mt,NAME_POPOVER_TEMPLATE:()=>vt,NAME_POPPER:()=>gt,NAME_PROGRESS:()=>Ve,NAME_PROGRESS_BAR:()=>Ye,NAME_ROW:()=>je,NAME_SIDEBAR:()=>Ue,NAME_SKELETON:()=>$e,NAME_SKELETON_ICON:()=>We,NAME_SKELETON_IMG:()=>Ge,NAME_SKELETON_TABLE:()=>qe,NAME_SKELETON_WRAPPER:()=>Xe,NAME_SPINNER:()=>Ke,NAME_TAB:()=>Je,NAME_TABLE:()=>Ze,NAME_TABLE_CELL:()=>Qe,NAME_TABLE_LITE:()=>et,NAME_TABLE_SIMPLE:()=>tt,NAME_TABS:()=>nt,NAME_TAB_BUTTON_HELPER:()=>_t,NAME_TBODY:()=>at,NAME_TFOOT:()=>rt,NAME_TH:()=>ot,NAME_THEAD:()=>it,NAME_TIME:()=>st,NAME_TOAST:()=>lt,NAME_TOASTER:()=>ct,NAME_TOAST_POP:()=>bt,NAME_TOOLTIP:()=>ut,NAME_TOOLTIP_HELPER:()=>yt,NAME_TOOLTIP_TEMPLATE:()=>It,NAME_TR:()=>dt,NAME_TRANSITION:()=>Mt,NAME_TRANSPORTER:()=>wt,NAME_TRANSPORTER_TARGET:()=>Bt});var a="BAlert",r="BAspect",o="BAvatar",i="BAvatarGroup",s="BBadge",l="BBreadcrumb",c="BBreadcrumbItem",u="BBreadcrumbLink",d="BButton",h="BButtonClose",f="BButtonGroup",p="BButtonToolbar",m="BCalendar",v="BCard",g="BCardBody",_="BCardFooter",b="BCardGroup",y="BCardHeader",I="BCardImg",M="BCardImgLazy",w="BCardSubTitle",B="BCardText",k="BCardTitle",T="BCarousel",P="BCarouselSlide",E="BCol",x="BCollapse",O="BContainer",S="BDropdown",A="BDropdownDivider",L="BDropdownForm",C="BDropdownGroup",z="BDropdownHeader",D="BDropdownItem",F="BDropdownItemButton",R="BDropdownText",N="BEmbed",H="BForm",V="BFormCheckbox",Y="BFormCheckboxGroup",j="BFormDatalist",U="BFormDatepicker",$="BFormFile",W="BFormGroup",G="BFormInput",q="BFormInvalidFeedback",X="BFormRadio",K="BFormRadioGroup",J="BFormRating",Z="BFormRow",Q="BFormSelect",ee="BFormSelectOption",te="BFormSelectOptionGroup",ne="BFormSpinbutton",ae="BFormTag",re="BFormTags",oe="BFormText",ie="BFormTextarea",se="BFormTimepicker",le="BFormValidFeedback",ce="BIcon",ue="BIconstack",de="BIconBase",he="BImg",fe="BImgLazy",pe="BInputGroup",me="BInputGroupAddon",ve="BInputGroupAppend",ge="BInputGroupPrepend",_e="BInputGroupText",be="BJumbotron",ye="BLink",Ie="BListGroup",Me="BListGroupItem",we="BMedia",Be="BMediaAside",ke="BMediaBody",Te="BModal",Pe="BMsgBox",Ee="BNav",xe="BNavbar",Oe="BNavbarBrand",Se="BNavbarNav",Ae="BNavbarToggle",Le="BNavForm",Ce="BNavItem",ze="BNavItemDropdown",De="BNavText",Fe="BOverlay",Re="BPagination",Ne="BPaginationNav",He="BPopover",Ve="BProgress",Ye="BProgressBar",je="BRow",Ue="BSidebar",$e="BSkeleton",We="BSkeletonIcon",Ge="BSkeletonImg",qe="BSkeletonTable",Xe="BSkeletonWrapper",Ke="BSpinner",Je="BTab",Ze="BTable",Qe="BTableCell",et="BTableLite",tt="BTableSimple",nt="BTabs",at="BTbody",rt="BTfoot",ot="BTh",it="BThead",st="BTime",lt="BToast",ct="BToaster",ut="BTooltip",dt="BTr",ht="BVCollapse",ft="BVFormBtnLabelControl",pt="BVFormRatingStar",mt="BVPopover",vt="BVPopoverTemplate",gt="BVPopper",_t="BVTabButton",bt="BVToastPop",yt="BVTooltip",It="BVTooltipTemplate",Mt="BVTransition",wt="BVTransporter",Bt="BVTransporterTarget"},8750:(e,t,n)=>{"use strict";n.r(t),n.d(t,{DEFAULT_BREAKPOINT:()=>o,NAME:()=>a,PROP_NAME:()=>r});var a="BvConfig",r="$bvConfig",o=["xs","sm","md","lg","xl"]},18413:(e,t,n)=>{"use strict";n.r(t),n.d(t,{CALENDAR_GREGORY:()=>a,CALENDAR_LONG:()=>r,CALENDAR_NARROW:()=>o,CALENDAR_SHORT:()=>i,DATE_FORMAT_2_DIGIT:()=>s,DATE_FORMAT_NUMERIC:()=>l});var a="gregory",r="long",o="narrow",i="short",s="2-digit",l="numeric"},43935:(e,t,n)=>{"use strict";n.r(t),n.d(t,{DOCUMENT:()=>u,HAS_DOCUMENT_SUPPORT:()=>r,HAS_INTERACTION_OBSERVER_SUPPORT:()=>_,HAS_MUTATION_OBSERVER_SUPPORT:()=>s,HAS_NAVIGATOR_SUPPORT:()=>o,HAS_PASSIVE_EVENT_SUPPORT:()=>m,HAS_POINTER_EVENT_SUPPORT:()=>g,HAS_PROMISE_SUPPORT:()=>i,HAS_TOUCH_SUPPORT:()=>v,HAS_WINDOW_SUPPORT:()=>a,IS_BROWSER:()=>l,IS_IE:()=>p,IS_JSDOM:()=>f,NAVIGATOR:()=>d,USER_AGENT:()=>h,WINDOW:()=>c});var a="undefined"!=typeof window,r="undefined"!=typeof document,o="undefined"!=typeof navigator,i="undefined"!=typeof Promise,s="undefined"!=typeof MutationObserver||"undefined"!=typeof WebKitMutationObserver||"undefined"!=typeof MozMutationObserver,l=a&&r&&o,c=a?window:{},u=r?document:{},d=o?navigator:{},h=(d.userAgent||"").toLowerCase(),f=h.indexOf("jsdom")>0,p=/msie|trident/.test(h),m=function(){var e=!1;if(l)try{var t={get passive(){e=!0}};c.addEventListener("test",t,t),c.removeEventListener("test",t,t)}catch(t){e=!1}return e}(),v=l&&("ontouchstart"in u.documentElement||d.maxTouchPoints>0),g=l&&Boolean(c.PointerEvent||c.MSPointerEvent),_=l&&"IntersectionObserver"in c&&"IntersectionObserverEntry"in c&&"intersectionRatio"in c.IntersectionObserverEntry.prototype},63294:(e,t,n)=>{"use strict";n.r(t),n.d(t,{EVENT_NAME_ACTIVATE_TAB:()=>r,EVENT_NAME_BLUR:()=>o,EVENT_NAME_CANCEL:()=>i,EVENT_NAME_CHANGE:()=>s,EVENT_NAME_CHANGED:()=>l,EVENT_NAME_CLICK:()=>c,EVENT_NAME_CLOSE:()=>u,EVENT_NAME_CONTEXT:()=>d,EVENT_NAME_CONTEXT_CHANGED:()=>h,EVENT_NAME_DESTROYED:()=>f,EVENT_NAME_DISABLE:()=>p,EVENT_NAME_DISABLED:()=>m,EVENT_NAME_DISMISSED:()=>v,EVENT_NAME_DISMISS_COUNT_DOWN:()=>g,EVENT_NAME_ENABLE:()=>_,EVENT_NAME_ENABLED:()=>b,EVENT_NAME_FILTERED:()=>y,EVENT_NAME_FIRST:()=>I,EVENT_NAME_FOCUS:()=>M,EVENT_NAME_FOCUSIN:()=>w,EVENT_NAME_FOCUSOUT:()=>B,EVENT_NAME_HEAD_CLICKED:()=>k,EVENT_NAME_HIDDEN:()=>T,EVENT_NAME_HIDE:()=>P,EVENT_NAME_IMG_ERROR:()=>E,EVENT_NAME_INPUT:()=>x,EVENT_NAME_LAST:()=>O,EVENT_NAME_MOUSEENTER:()=>S,EVENT_NAME_MOUSELEAVE:()=>A,EVENT_NAME_NEXT:()=>L,EVENT_NAME_OK:()=>C,EVENT_NAME_OPEN:()=>z,EVENT_NAME_PAGE_CLICK:()=>D,EVENT_NAME_PAUSED:()=>F,EVENT_NAME_PREV:()=>R,EVENT_NAME_REFRESH:()=>N,EVENT_NAME_REFRESHED:()=>H,EVENT_NAME_REMOVE:()=>V,EVENT_NAME_ROW_CLICKED:()=>Y,EVENT_NAME_ROW_CONTEXTMENU:()=>j,EVENT_NAME_ROW_DBLCLICKED:()=>U,EVENT_NAME_ROW_HOVERED:()=>$,EVENT_NAME_ROW_MIDDLE_CLICKED:()=>W,EVENT_NAME_ROW_SELECTED:()=>G,EVENT_NAME_ROW_UNHOVERED:()=>q,EVENT_NAME_SELECTED:()=>X,EVENT_NAME_SHOW:()=>K,EVENT_NAME_SHOWN:()=>J,EVENT_NAME_SLIDING_END:()=>Z,EVENT_NAME_SLIDING_START:()=>Q,EVENT_NAME_SORT_CHANGED:()=>ee,EVENT_NAME_TAG_STATE:()=>te,EVENT_NAME_TOGGLE:()=>ne,EVENT_NAME_UNPAUSED:()=>ae,EVENT_NAME_UPDATE:()=>re,EVENT_OPTIONS_NO_CAPTURE:()=>de,EVENT_OPTIONS_PASSIVE:()=>ue,HOOK_EVENT_NAME_BEFORE_DESTROY:()=>oe,HOOK_EVENT_NAME_DESTROYED:()=>ie,MODEL_EVENT_NAME_PREFIX:()=>se,ROOT_EVENT_NAME_PREFIX:()=>le,ROOT_EVENT_NAME_SEPARATOR:()=>ce});var a=n(1915),r="activate-tab",o="blur",i="cancel",s="change",l="changed",c="click",u="close",d="context",h="context-changed",f="destroyed",p="disable",m="disabled",v="dismissed",g="dismiss-count-down",_="enable",b="enabled",y="filtered",I="first",M="focus",w="focusin",B="focusout",k="head-clicked",T="hidden",P="hide",E="img-error",x="input",O="last",S="mouseenter",A="mouseleave",L="next",C="ok",z="open",D="page-click",F="paused",R="prev",N="refresh",H="refreshed",V="remove",Y="row-clicked",j="row-contextmenu",U="row-dblclicked",$="row-hovered",W="row-middle-clicked",G="row-selected",q="row-unhovered",X="selected",K="show",J="shown",Z="sliding-end",Q="sliding-start",ee="sort-changed",te="tag-state",ne="toggle",ae="unpaused",re="update",oe=a.isVue3?"vnodeBeforeUnmount":"hook:beforeDestroy",ie=a.isVue3?"vNodeUnmounted":"hook:destroyed",se="update:",le="bv",ce="::",ue={passive:!0},de={passive:!0,capture:!1}},63663:(e,t,n)=>{"use strict";n.r(t),n.d(t,{CODE_BACKSPACE:()=>a,CODE_BREAK:()=>r,CODE_DELETE:()=>o,CODE_DOWN:()=>i,CODE_END:()=>s,CODE_ENTER:()=>l,CODE_ESC:()=>c,CODE_HOME:()=>u,CODE_LEFT:()=>d,CODE_PAGEDOWN:()=>h,CODE_PAGEUP:()=>f,CODE_RIGHT:()=>p,CODE_SPACE:()=>m,CODE_UP:()=>v});var a=8,r=19,o=46,i=40,s=35,l=13,c=27,u=36,d=37,h=34,f=33,p=39,m=32,v=38},53972:(e,t,n)=>{"use strict";n.r(t),n.d(t,{PLACEMENT_BOTTOM_END:()=>i,PLACEMENT_BOTTOM_START:()=>o,PLACEMENT_LEFT_END:()=>u,PLACEMENT_LEFT_START:()=>c,PLACEMENT_RIGHT_END:()=>l,PLACEMENT_RIGHT_START:()=>s,PLACEMENT_TOP_END:()=>r,PLACEMENT_TOP_START:()=>a});var a="top-start",r="top-end",o="bottom-start",i="bottom-end",s="right-start",l="right-end",c="left-start",u="left-end"},12299:(e,t,n)=>{"use strict";n.r(t),n.d(t,{PROP_TYPE_ANY:()=>a,PROP_TYPE_ARRAY:()=>r,PROP_TYPE_ARRAY_FUNCTION:()=>h,PROP_TYPE_ARRAY_OBJECT:()=>f,PROP_TYPE_ARRAY_OBJECT_STRING:()=>p,PROP_TYPE_ARRAY_STRING:()=>m,PROP_TYPE_BOOLEAN:()=>o,PROP_TYPE_BOOLEAN_NUMBER:()=>v,PROP_TYPE_BOOLEAN_NUMBER_STRING:()=>g,PROP_TYPE_BOOLEAN_STRING:()=>_,PROP_TYPE_DATE:()=>i,PROP_TYPE_DATE_STRING:()=>b,PROP_TYPE_FUNCTION:()=>s,PROP_TYPE_FUNCTION_STRING:()=>y,PROP_TYPE_NUMBER:()=>l,PROP_TYPE_NUMBER_OBJECT_STRING:()=>M,PROP_TYPE_NUMBER_STRING:()=>I,PROP_TYPE_OBJECT:()=>c,PROP_TYPE_OBJECT_FUNCTION:()=>w,PROP_TYPE_OBJECT_STRING:()=>B,PROP_TYPE_REG_EXP:()=>u,PROP_TYPE_STRING:()=>d});var a=void 0,r=Array,o=Boolean,i=Date,s=Function,l=Number,c=Object,u=RegExp,d=String,h=[r,s],f=[r,c],p=[r,c,d],m=[r,d],v=[o,l],g=[o,l,d],_=[o,d],b=[i,d],y=[s,d],I=[l,d],M=[l,c,d],w=[c,s],B=[c,d]},30824:(e,t,n)=>{"use strict";n.r(t),n.d(t,{RX_ARRAY_NOTATION:()=>a,RX_ASPECT:()=>O,RX_ASPECT_SEPARATOR:()=>S,RX_BV_PREFIX:()=>r,RX_COL_CLASS:()=>A,RX_DATE:()=>w,RX_DATE_SPLIT:()=>B,RX_DIGITS:()=>o,RX_ENCODED_COMMA:()=>P,RX_ENCODE_REVERSE:()=>E,RX_EXTENSION:()=>i,RX_HASH:()=>s,RX_HASH_ID:()=>l,RX_HREF:()=>T,RX_HTML_TAGS:()=>c,RX_HYPHENATE:()=>u,RX_ICON_PREFIX:()=>L,RX_LOWER_UPPER:()=>d,RX_NUMBER:()=>h,RX_PLUS:()=>f,RX_QUERY_START:()=>x,RX_REGEXP_REPLACE:()=>p,RX_SPACES:()=>m,RX_SPACE_SPLIT:()=>v,RX_STAR:()=>g,RX_START_SPACE_WORD:()=>_,RX_STRIP_LOCALE_MODS:()=>C,RX_TIME:()=>k,RX_TRIM_LEFT:()=>b,RX_TRIM_RIGHT:()=>y,RX_UNDERSCORE:()=>I,RX_UN_KEBAB:()=>M});var a=/\[(\d+)]/g,r=/^(BV?)/,o=/^\d+$/,i=/^\..+/,s=/^#/,l=/^#[A-Za-z]+[\w\-:.]*$/,c=/(<([^>]+)>)/gi,u=/\B([A-Z])/g,d=/([a-z])([A-Z])/g,h=/^[0-9]*\.?[0-9]+$/,f=/\+/g,p=/[-/\\^$*+?.()|[\]{}]/g,m=/[\s\uFEFF\xA0]+/g,v=/\s+/,g=/\/\*$/,_=/(\s|^)(\w)/g,b=/^\s+/,y=/\s+$/,I=/_/g,M=/-(\w)/g,w=/^\d+-\d\d?-\d\d?(?:\s|T|$)/,B=/-|\s|T/,k=/^([0-1]?[0-9]|2[0-3]):[0-5]?[0-9](:[0-5]?[0-9])?$/,T=/^.*(#[^#]+)$/,P=/%2C/g,E=/[!'()*]/g,x=/^(\?|#|&)/,O=/^\d+(\.\d*)?[/:]\d+(\.\d*)?$/,S=/[/:]/,A=/^col-/,L=/^BIcon/,C=/-u-.+/},28112:(e,t,n)=>{"use strict";n.r(t),n.d(t,{Element:()=>f,File:()=>v,HTMLElement:()=>p,SVGElement:()=>m});var a=n(43935);function r(e){return r="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},r(e)}function o(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function");Object.defineProperty(e,"prototype",{value:Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),writable:!1}),t&&d(e,t)}function s(e){var t=u();return function(){var n,a=h(e);if(t){var o=h(this).constructor;n=Reflect.construct(a,arguments,o)}else n=a.apply(this,arguments);return function(e,t){if(t&&("object"===r(t)||"function"==typeof t))return t;if(void 0!==t)throw new TypeError("Derived constructors may only return object or undefined");return function(e){if(void 0===e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return e}(e)}(this,n)}}function l(e){var t="function"==typeof Map?new Map:void 0;return l=function(e){if(null===e||(n=e,-1===Function.toString.call(n).indexOf("[native code]")))return e;var n;if("function"!=typeof e)throw new TypeError("Super expression must either be null or a function");if(void 0!==t){if(t.has(e))return t.get(e);t.set(e,a)}function a(){return c(e,arguments,h(this).constructor)}return a.prototype=Object.create(e.prototype,{constructor:{value:a,enumerable:!1,writable:!0,configurable:!0}}),d(a,e)},l(e)}function c(e,t,n){return c=u()?Reflect.construct:function(e,t,n){var a=[null];a.push.apply(a,t);var r=new(Function.bind.apply(e,a));return n&&d(r,n.prototype),r},c.apply(null,arguments)}function u(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(e){return!1}}function d(e,t){return d=Object.setPrototypeOf||function(e,t){return e.__proto__=t,e},d(e,t)}function h(e){return h=Object.setPrototypeOf?Object.getPrototypeOf:function(e){return e.__proto__||Object.getPrototypeOf(e)},h(e)}var f=a.HAS_WINDOW_SUPPORT?a.WINDOW.Element:function(e){i(n,e);var t=s(n);function n(){return o(this,n),t.apply(this,arguments)}return n}(l(Object)),p=a.HAS_WINDOW_SUPPORT?a.WINDOW.HTMLElement:function(e){i(n,e);var t=s(n);function n(){return o(this,n),t.apply(this,arguments)}return n}(f),m=a.HAS_WINDOW_SUPPORT?a.WINDOW.SVGElement:function(e){i(n,e);var t=s(n);function n(){return o(this,n),t.apply(this,arguments)}return n}(f),v=a.HAS_WINDOW_SUPPORT?a.WINDOW.File:function(e){i(n,e);var t=s(n);function n(){return o(this,n),t.apply(this,arguments)}return n}(l(Object))},90494:(e,t,n)=>{"use strict";n.r(t),n.d(t,{SLOT_NAME_ADD_BUTTON_TEXT:()=>a,SLOT_NAME_APPEND:()=>r,SLOT_NAME_ASIDE:()=>o,SLOT_NAME_BADGE:()=>i,SLOT_NAME_BOTTOM_ROW:()=>s,SLOT_NAME_BUTTON_CONTENT:()=>l,SLOT_NAME_CUSTOM_FOOT:()=>c,SLOT_NAME_DECREMENT:()=>u,SLOT_NAME_DEFAULT:()=>d,SLOT_NAME_DESCRIPTION:()=>h,SLOT_NAME_DISMISS:()=>f,SLOT_NAME_DROP_PLACEHOLDER:()=>p,SLOT_NAME_ELLIPSIS_TEXT:()=>m,SLOT_NAME_EMPTY:()=>v,SLOT_NAME_EMPTYFILTERED:()=>g,SLOT_NAME_FILE_NAME:()=>_,SLOT_NAME_FIRST:()=>b,SLOT_NAME_FIRST_TEXT:()=>y,SLOT_NAME_FOOTER:()=>I,SLOT_NAME_HEADER:()=>M,SLOT_NAME_HEADER_CLOSE:()=>w,SLOT_NAME_ICON_CLEAR:()=>B,SLOT_NAME_ICON_EMPTY:()=>k,SLOT_NAME_ICON_FULL:()=>T,SLOT_NAME_ICON_HALF:()=>P,SLOT_NAME_IMG:()=>E,SLOT_NAME_INCREMENT:()=>x,SLOT_NAME_INVALID_FEEDBACK:()=>O,SLOT_NAME_LABEL:()=>S,SLOT_NAME_LAST_TEXT:()=>A,SLOT_NAME_LEAD:()=>L,SLOT_NAME_LOADING:()=>C,SLOT_NAME_MODAL_BACKDROP:()=>z,SLOT_NAME_MODAL_CANCEL:()=>D,SLOT_NAME_MODAL_FOOTER:()=>F,SLOT_NAME_MODAL_HEADER:()=>R,SLOT_NAME_MODAL_HEADER_CLOSE:()=>N,SLOT_NAME_MODAL_OK:()=>H,SLOT_NAME_MODAL_TITLE:()=>V,SLOT_NAME_NAV_NEXT_DECADE:()=>Y,SLOT_NAME_NAV_NEXT_MONTH:()=>j,SLOT_NAME_NAV_NEXT_YEAR:()=>U,SLOT_NAME_NAV_PEV_DECADE:()=>$,SLOT_NAME_NAV_PEV_MONTH:()=>W,SLOT_NAME_NAV_PEV_YEAR:()=>G,SLOT_NAME_NAV_THIS_MONTH:()=>q,SLOT_NAME_NEXT_TEXT:()=>X,SLOT_NAME_OVERLAY:()=>K,SLOT_NAME_PAGE:()=>J,SLOT_NAME_PLACEHOLDER:()=>Z,SLOT_NAME_PREPEND:()=>Q,SLOT_NAME_PREV_TEXT:()=>ee,SLOT_NAME_ROW_DETAILS:()=>te,SLOT_NAME_TABLE_BUSY:()=>ne,SLOT_NAME_TABLE_CAPTION:()=>ae,SLOT_NAME_TABLE_COLGROUP:()=>re,SLOT_NAME_TABS_END:()=>oe,SLOT_NAME_TABS_START:()=>ie,SLOT_NAME_TEXT:()=>se,SLOT_NAME_THEAD_TOP:()=>le,SLOT_NAME_TITLE:()=>ce,SLOT_NAME_TOAST_TITLE:()=>ue,SLOT_NAME_TOP_ROW:()=>de,SLOT_NAME_VALID_FEEDBACK:()=>he});var a="add-button-text",r="append",o="aside",i="badge",s="bottom-row",l="button-content",c="custom-foot",u="decrement",d="default",h="description",f="dismiss",p="drop-placeholder",m="ellipsis-text",v="empty",g="emptyfiltered",_="file-name",b="first",y="first-text",I="footer",M="header",w="header-close",B="icon-clear",k="icon-empty",T="icon-full",P="icon-half",E="img",x="increment",O="invalid-feedback",S="label",A="last-text",L="lead",C="loading",z="modal-backdrop",D="modal-cancel",F="modal-footer",R="modal-header",N="modal-header-close",H="modal-ok",V="modal-title",Y="nav-next-decade",j="nav-next-month",U="nav-next-year",$="nav-prev-decade",W="nav-prev-month",G="nav-prev-year",q="nav-this-month",X="next-text",K="overlay",J="page",Z="placeholder",Q="prepend",ee="prev-text",te="row-details",ne="table-busy",ae="table-caption",re="table-colgroup",oe="tabs-end",ie="tabs-start",se="text",le="thead-top",ce="title",ue="toast-title",de="top-row",he="valid-feedback"},25700:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBHover:()=>d});var a=n(43935),r=n(63294),o=n(28415),i=n(33284),s="__BV_hover_handler__",l="mouseenter",c=function(e,t,n){(0,o.eventOnOff)(e,t,l,n,r.EVENT_OPTIONS_NO_CAPTURE),(0,o.eventOnOff)(e,t,"mouseleave",n,r.EVENT_OPTIONS_NO_CAPTURE)},u=function(e,t){var n=t.value,r=void 0===n?null:n;if(a.IS_BROWSER){var o=e[s],u=(0,i.isFunction)(o),d=!(u&&o.fn===r);u&&d&&(c(!1,e,o),delete e[s]),(0,i.isFunction)(r)&&d&&(e[s]=function(e){var t=function(t){e(t.type===l,t)};return t.fn=e,t}(r),c(!0,e,e[s]))}},d={bind:u,componentUpdated:u,unbind:function(e){u(e,{value:null})}}},22305:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBHover:()=>a.VBHover,VBHoverPlugin:()=>r});var a=n(25700),r=(0,n(11638).pluginFactory)({directives:{VBHover:a.VBHover}})},75573:(e,t,n)=>{"use strict";n.r(t),n.d(t,{directivesPlugin:()=>d});var a=n(11638),r=n(22305),o=n(16396),i=n(68969),s=n(24349),l=n(7351),c=n(9153),u=n(65694),d=(0,a.pluginFactory)({plugins:{VBHoverPlugin:r.VBHoverPlugin,VBModalPlugin:o.VBModalPlugin,VBPopoverPlugin:i.VBPopoverPlugin,VBScrollspyPlugin:s.VBScrollspyPlugin,VBTogglePlugin:l.VBTogglePlugin,VBTooltipPlugin:c.VBTooltipPlugin,VBVisiblePlugin:u.VBVisiblePlugin}})},16396:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBModal:()=>a.VBModal,VBModalPlugin:()=>r});var a=n(82653),r=(0,n(11638).pluginFactory)({directives:{VBModal:a.VBModal}})},82653:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBModal:()=>b});var a=n(94689),r=n(63294),o=n(63663),i=n(26410),s=n(28415),l=n(33284),c=n(67040),u=n(91076),d=n(96056),h=(0,s.getRootActionEventName)(a.NAME_MODAL,r.EVENT_NAME_SHOW),f="__bv_modal_directive__",p=function(e){var t=e.modifiers,n=void 0===t?{}:t,a=e.arg,r=e.value;return(0,l.isString)(r)?r:(0,l.isString)(a)?a:(0,c.keys)(n).reverse()[0]},m=function(e){return e&&(0,i.matches)(e,".dropdown-menu > li, li.nav-item")&&(0,i.select)("a, button",e)||e},v=function(e){e&&"BUTTON"!==e.tagName&&((0,i.hasAttr)(e,"role")||(0,i.setAttr)(e,"role","button"),"A"===e.tagName||(0,i.hasAttr)(e,"tabindex")||(0,i.setAttr)(e,"tabindex","0"))},g=function(e){var t=e[f]||{},n=t.trigger,a=t.handler;n&&a&&((0,s.eventOff)(n,"click",a,r.EVENT_OPTIONS_PASSIVE),(0,s.eventOff)(n,"keydown",a,r.EVENT_OPTIONS_PASSIVE),(0,s.eventOff)(e,"click",a,r.EVENT_OPTIONS_PASSIVE),(0,s.eventOff)(e,"keydown",a,r.EVENT_OPTIONS_PASSIVE)),delete e[f]},_=function(e,t,n){var a=e[f]||{},l=p(t),c=m(e);l===a.target&&c===a.trigger||(g(e),function(e,t,n){var a=p(t),l=m(e);if(a&&l){var c=function(e){var r=e.currentTarget;if(!(0,i.isDisabled)(r)){var s=e.type,l=e.keyCode;"click"!==s&&("keydown"!==s||l!==o.CODE_ENTER&&l!==o.CODE_SPACE)||(0,u.getEventRoot)((0,d.getInstanceFromDirective)(n,t)).$emit(h,a,r)}};e[f]={handler:c,target:a,trigger:l},v(l),(0,s.eventOn)(l,"click",c,r.EVENT_OPTIONS_PASSIVE),"BUTTON"!==l.tagName&&"button"===(0,i.getAttr)(l,"role")&&(0,s.eventOn)(l,"keydown",c,r.EVENT_OPTIONS_PASSIVE)}}(e,t,n)),v(c)},b={inserted:_,updated:function(){},componentUpdated:_,unbind:g}},68969:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBPopover:()=>a.VBPopover,VBPopoverPlugin:()=>r});var a=n(86429),r=(0,n(11638).pluginFactory)({directives:{VBPopover:a.VBPopover}})},86429:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBPopover:()=>C});var a=n(94689),r=n(43935),o=n(63294),i=n(11572),s=n(79968),l=n(13597),c=n(68265),u=n(96056),d=n(33284),h=n(3058),f=n(93954),p=n(67040),m=n(55789),v=n(56893),g=n(1915);function _(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function b(e){for(var t=1;t0&&e[I].updateData(t)}))}var y={title:g.title,content:g.content,triggers:g.trigger,placement:g.placement,fallbackPlacement:g.fallbackPlacement,variant:g.variant,customClass:g.customClass,container:g.container,boundary:g.boundary,delay:g.delay,offset:g.offset,noFade:!g.animation,id:g.id,disabled:g.disabled,html:g.html},L=e[I].__bv_prev_data__;if(e[I].__bv_prev_data__=y,!(0,h.looseEqual)(y,L)){var C={target:e};(0,p.keys)(y).forEach((function(t){y[t]!==L[t]&&(C[t]="title"!==t&&"content"!==t||!(0,d.isFunction)(y[t])?y[t]:y[t](e))})),e[I].updateData(C)}}},C={bind:function(e,t,n){L(e,t,n)},componentUpdated:function(e,t,n){(0,g.nextTick)((function(){L(e,t,n)}))},unbind:function(e){!function(e){e[I]&&(e[I].$destroy(),e[I]=null),delete e[I]}(e)}}},88596:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVScrollspy:()=>E});var a=n(63294),r=n(30824),o=n(26410),i=n(28415),s=n(68265),l=n(33284),c=n(21578),u=n(93954),d=n(67040),h=n(63078),f=n(37568);function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function m(e){for(var t=1;t=n){var a=this.$targets[this.$targets.length-1];this.$activeTarget!==a&&this.activate(a)}else{if(this.$activeTarget&&e0)return this.$activeTarget=null,void this.clear();for(var r=this.$offsets.length;r--;)this.$activeTarget!==this.$targets[r]&&e>=this.$offsets[r]&&((0,l.isUndefined)(this.$offsets[r+1])||e0&&this.$root&&this.$root.$emit(w,e,n)}},{key:"clear",value:function(){var e=this;(0,o.selectAll)("".concat(this.$selector,", ").concat(y),this.$el).filter((function(e){return(0,o.hasClass)(e,_)})).forEach((function(t){return e.setActiveState(t,!1)}))}},{key:"setActiveState",value:function(e,t){e&&(t?(0,o.addClass)(e,_):(0,o.removeClass)(e,_))}}])&&g(t.prototype,n),p&&g(t,p),Object.defineProperty(t,"prototype",{writable:!1}),e}()},24349:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBScrollspy:()=>a.VBScrollspy,VBScrollspyPlugin:()=>r});var a=n(95614),r=(0,n(11638).pluginFactory)({directives:{VBScrollspy:a.VBScrollspy}})},95614:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBScrollspy:()=>m});var a=n(43935),r=n(33284),o=n(21578),i=n(93954),s=n(67040),l=n(91076),c=n(96056),u=n(88596),d="__BV_Scrollspy__",h=/^\d+$/,f=/^(auto|position|offset)$/,p=function(e,t,n){if(a.IS_BROWSER){var p=function(e){var t={};return e.arg&&(t.element="#".concat(e.arg)),(0,s.keys)(e.modifiers).forEach((function(e){h.test(e)?t.offset=(0,i.toInteger)(e,0):f.test(e)&&(t.method=e)})),(0,r.isString)(e.value)?t.element=e.value:(0,r.isNumber)(e.value)?t.offset=(0,o.mathRound)(e.value):(0,r.isObject)(e.value)&&(0,s.keys)(e.value).filter((function(e){return!!u.BVScrollspy.DefaultType[e]})).forEach((function(n){t[n]=e.value[n]})),t}(t);e[d]?e[d].updateConfig(p,(0,l.getEventRoot)((0,c.getInstanceFromDirective)(n,t))):e[d]=new u.BVScrollspy(e,p,(0,l.getEventRoot)((0,c.getInstanceFromDirective)(n,t)))}},m={bind:function(e,t,n){p(e,t,n)},inserted:function(e,t,n){p(e,t,n)},update:function(e,t,n){t.value!==t.oldValue&&p(e,t,n)},componentUpdated:function(e,t,n){t.value!==t.oldValue&&p(e,t,n)},unbind:function(e){!function(e){e[d]&&(e[d].dispose(),e[d]=null,delete e[d])}(e)}}},7351:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBToggle:()=>a.VBToggle,VBTogglePlugin:()=>r});var a=n(43028),r=(0,n(11638).pluginFactory)({directives:{VBToggle:a.VBToggle}})},43028:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBToggle:()=>N});var a=n(94689),r=n(43935),o=n(63294),i=n(63663),s=n(30824),l=n(11572),c=n(96056),u=n(26410),d=n(28415),h=n(33284),f=n(3058),p=n(67040),m=n(91076),v="collapsed",g="not-collapsed",_="__BV_toggle",b="".concat(_,"_HANDLER__"),y="".concat(_,"_CLICK__"),I="".concat(_,"_STATE__"),M="".concat(_,"_TARGETS__"),w="aria-controls",B="aria-expanded",k="role",T="tabindex",P="overflow-anchor",E=(0,d.getRootActionEventName)(a.NAME_COLLAPSE,"toggle"),x=(0,d.getRootEventName)(a.NAME_COLLAPSE,"state"),O=(0,d.getRootEventName)(a.NAME_COLLAPSE,"sync-state"),S=(0,d.getRootActionEventName)(a.NAME_COLLAPSE,"request-state"),A=[i.CODE_ENTER,i.CODE_SPACE],L=function(e){return!(0,l.arrayIncludes)(["button","a"],e.tagName.toLowerCase())},C=function(e){var t=e[y];t&&((0,d.eventOff)(e,"click",t,o.EVENT_OPTIONS_PASSIVE),(0,d.eventOff)(e,"keydown",t,o.EVENT_OPTIONS_PASSIVE)),e[y]=null},z=function(e,t){e[b]&&t&&(0,m.getEventRoot)(t).$off([x,O],e[b]),e[b]=null},D=function(e,t){t?((0,u.removeClass)(e,v),(0,u.addClass)(e,g),(0,u.setAttr)(e,B,"true")):((0,u.removeClass)(e,g),(0,u.addClass)(e,v),(0,u.setAttr)(e,B,"false"))},F=function(e,t){e[t]=null,delete e[t]},R=function(e,t,n){if(r.IS_BROWSER&&(0,c.getInstanceFromDirective)(n,t)){L(e)&&((0,u.hasAttr)(e,k)||(0,u.setAttr)(e,k,"button"),(0,u.hasAttr)(e,T)||(0,u.setAttr)(e,T,"0")),D(e,e[I]);var a=function(e,t){var n=e.modifiers,a=e.arg,r=e.value,o=(0,p.keys)(n||{});if(r=(0,h.isString)(r)?r.split(s.RX_SPACE_SPLIT):r,(0,u.isTag)(t.tagName,"a")){var i=(0,u.getAttr)(t,"href")||"";s.RX_HASH_ID.test(i)&&o.push(i.replace(s.RX_HASH,""))}return(0,l.concat)(a,r).forEach((function(e){return(0,h.isString)(e)&&o.push(e)})),o.filter((function(e,t,n){return e&&n.indexOf(e)===t}))}(t,e);a.length>0?((0,u.setAttr)(e,w,a.join(" ")),(0,u.setStyle)(e,P,"none")):((0,u.removeAttr)(e,w),(0,u.removeStyle)(e,P)),(0,u.requestAF)((function(){!function(e,t){if(C(e),t){var n=function(n){"keydown"===n.type&&!(0,l.arrayIncludes)(A,n.keyCode)||(0,u.isDisabled)(e)||(e[M]||[]).forEach((function(e){(0,m.getEventRoot)(t).$emit(E,e)}))};e[y]=n,(0,d.eventOn)(e,"click",n,o.EVENT_OPTIONS_PASSIVE),L(e)&&(0,d.eventOn)(e,"keydown",n,o.EVENT_OPTIONS_PASSIVE)}}(e,(0,c.getInstanceFromDirective)(n,t))})),(0,f.looseEqual)(a,e[M])||(e[M]=a,a.forEach((function(e){(0,m.getEventRoot)((0,c.getInstanceFromDirective)(n,t)).$emit(S,e)})))}},N={bind:function(e,t,n){e[I]=!1,e[M]=[],function(e,t){if(z(e,t),t){var n=function(t,n){(0,l.arrayIncludes)(e[M]||[],t)&&(e[I]=n,D(e,n))};e[b]=n,(0,m.getEventRoot)(t).$on([x,O],n)}}(e,(0,c.getInstanceFromDirective)(n,t)),R(e,t,n)},componentUpdated:R,updated:R,unbind:function(e,t,n){C(e),z(e,(0,c.getInstanceFromDirective)(n,t)),F(e,b),F(e,y),F(e,I),F(e,M),(0,u.removeClass)(e,v),(0,u.removeClass)(e,g),(0,u.removeAttr)(e,B),(0,u.removeAttr)(e,w),(0,u.removeAttr)(e,k),(0,u.removeStyle)(e,P)}}},9153:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBTooltip:()=>a.VBTooltip,VBTooltipPlugin:()=>r});var a=n(5870),r=(0,n(11638).pluginFactory)({directives:{VBTooltip:a.VBTooltip}})},5870:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBTooltip:()=>z});var a=n(94689),r=n(43935),o=n(63294),i=n(11572),s=n(1915),l=n(79968),c=n(13597),u=n(68265),d=n(96056),h=n(33284),f=n(3058),p=n(93954),m=n(67040),v=n(55789),g=n(40960);function _(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function b(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{VBVisible:()=>a.VBVisible,VBVisiblePlugin:()=>r});var a=n(58290),r=(0,n(11638).pluginFactory)({directives:{VBVisible:a.VBVisible}})},58290:(e,t,n)=>{"use strict";n.r(t),n.d(t,{VBVisible:()=>p});var a=n(30824),r=n(26410),o=n(33284),i=n(3058),s=n(67040),l=n(1915);function c(e,t){for(var n=0;n0);n!==this.visible&&(this.visible=n,this.callback(n),this.once&&this.visible&&(this.doneOnce=!0,this.stop()))}},{key:"stop",value:function(){this.observer&&this.observer.disconnect(),this.observer=null}}])&&c(t.prototype,n),a&&c(t,a),Object.defineProperty(t,"prototype",{writable:!1}),e}(),h=function(e){var t=e[u];t&&t.stop&&t.stop(),delete e[u]},f=function(e,t){var n=t.value,r=t.modifiers,o={margin:"0px",once:!1,callback:n};(0,s.keys)(r).forEach((function(e){a.RX_DIGITS.test(e)?o.margin="".concat(e,"px"):"once"===e.toLowerCase()&&(o.once=!0)})),h(e),e[u]=new d(e,o),e[u]._prevModifiers=(0,s.clone)(r)},p={bind:f,componentUpdated:function(e,t,n){var a=t.value,r=t.oldValue,o=t.modifiers;o=(0,s.clone)(o),!e||a===r&&e[u]&&(0,i.looseEqual)(o,e[u]._prevModifiers)||f(e,{value:a,modifiers:o})},unbind:function(e){h(e)}}},39143:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BVIconBase:()=>m,props:()=>p});var a=n(1915),r=n(94689),o=n(12299),i=n(68265),s=n(33284),l=n(21578),c=n(93954),u=n(20451);function d(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h={viewBox:"0 0 16 16",width:"1em",height:"1em",focusable:"false",role:"img","aria-label":"icon"},f={width:null,height:null,focusable:null,role:null,"aria-label":null},p={animation:(0,u.makeProp)(o.PROP_TYPE_STRING),content:(0,u.makeProp)(o.PROP_TYPE_STRING),flipH:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),flipV:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),fontScale:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,1),rotate:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,0),scale:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,1),shiftH:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,0),shiftV:(0,u.makeProp)(o.PROP_TYPE_NUMBER_STRING,0),stacked:(0,u.makeProp)(o.PROP_TYPE_BOOLEAN,!1),title:(0,u.makeProp)(o.PROP_TYPE_STRING),variant:(0,u.makeProp)(o.PROP_TYPE_STRING)},m=(0,a.extend)({name:r.NAME_ICON_BASE,functional:!0,props:p,render:function(e,t){var n,r=t.data,o=t.props,u=t.children,p=o.animation,m=o.content,v=o.flipH,g=o.flipV,_=o.stacked,b=o.title,y=o.variant,I=(0,l.mathMax)((0,c.toFloat)(o.fontScale,1),0)||1,M=(0,l.mathMax)((0,c.toFloat)(o.scale,1),0)||1,w=(0,c.toFloat)(o.rotate,0),B=(0,c.toFloat)(o.shiftH,0),k=(0,c.toFloat)(o.shiftV,0),T=v||g||1!==M,P=T||w,E=B||k,x=!(0,s.isUndefinedOrNull)(m),O=e("g",{attrs:{transform:[P?"translate(8 8)":null,T?"scale(".concat((v?-1:1)*M," ").concat((g?-1:1)*M,")"):null,w?"rotate(".concat(w,")"):null,P?"translate(-8 -8)":null].filter(i.identity).join(" ")||null},domProps:x?{innerHTML:m||""}:{}},u);E&&(O=e("g",{attrs:{transform:"translate(".concat(16*B/16," ").concat(-16*k/16,")")}},[O])),_&&(O=e("g",[O]));var S=[b?e("title",b):null,O].filter(i.identity);return e("svg",(0,a.mergeData)({staticClass:"b-icon bi",class:(n={},d(n,"text-".concat(y),y),d(n,"b-icon-animation-".concat(p),p),n),attrs:h,style:_?{}:{fontSize:1===I?null:"".concat(100*I,"%")}},r,_?{attrs:f}:{},{attrs:{xmlns:_?null:"http://www.w3.org/2000/svg",fill:"currentColor"}}),S)}})},99354:(e,t,n)=>{"use strict";n.r(t),n.d(t,{makeIcon:()=>d});var a=n(1915),r=n(67040),o=n(46595),i=n(39143);function s(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function l(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BIcon:()=>_,props:()=>g});var a=n(1915),r=n(94689),o=n(12299),i=n(30824),s=n(67040),l=n(20451),c=n(46595),u=n(7543),d=n(39143);function h(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function f(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{BIconAlarm:()=>o,BIconAlarmFill:()=>i,BIconAlignBottom:()=>s,BIconAlignCenter:()=>l,BIconAlignEnd:()=>c,BIconAlignMiddle:()=>u,BIconAlignStart:()=>d,BIconAlignTop:()=>h,BIconAlt:()=>f,BIconApp:()=>p,BIconAppIndicator:()=>m,BIconArchive:()=>v,BIconArchiveFill:()=>g,BIconArrow90degDown:()=>_,BIconArrow90degLeft:()=>b,BIconArrow90degRight:()=>y,BIconArrow90degUp:()=>I,BIconArrowBarDown:()=>M,BIconArrowBarLeft:()=>w,BIconArrowBarRight:()=>B,BIconArrowBarUp:()=>k,BIconArrowClockwise:()=>T,BIconArrowCounterclockwise:()=>P,BIconArrowDown:()=>E,BIconArrowDownCircle:()=>x,BIconArrowDownCircleFill:()=>O,BIconArrowDownLeft:()=>S,BIconArrowDownLeftCircle:()=>A,BIconArrowDownLeftCircleFill:()=>L,BIconArrowDownLeftSquare:()=>C,BIconArrowDownLeftSquareFill:()=>z,BIconArrowDownRight:()=>D,BIconArrowDownRightCircle:()=>F,BIconArrowDownRightCircleFill:()=>R,BIconArrowDownRightSquare:()=>N,BIconArrowDownRightSquareFill:()=>H,BIconArrowDownShort:()=>V,BIconArrowDownSquare:()=>Y,BIconArrowDownSquareFill:()=>j,BIconArrowDownUp:()=>U,BIconArrowLeft:()=>$,BIconArrowLeftCircle:()=>W,BIconArrowLeftCircleFill:()=>G,BIconArrowLeftRight:()=>q,BIconArrowLeftShort:()=>X,BIconArrowLeftSquare:()=>K,BIconArrowLeftSquareFill:()=>J,BIconArrowRepeat:()=>Z,BIconArrowReturnLeft:()=>Q,BIconArrowReturnRight:()=>ee,BIconArrowRight:()=>te,BIconArrowRightCircle:()=>ne,BIconArrowRightCircleFill:()=>ae,BIconArrowRightShort:()=>re,BIconArrowRightSquare:()=>oe,BIconArrowRightSquareFill:()=>ie,BIconArrowUp:()=>se,BIconArrowUpCircle:()=>le,BIconArrowUpCircleFill:()=>ce,BIconArrowUpLeft:()=>ue,BIconArrowUpLeftCircle:()=>de,BIconArrowUpLeftCircleFill:()=>he,BIconArrowUpLeftSquare:()=>fe,BIconArrowUpLeftSquareFill:()=>pe,BIconArrowUpRight:()=>me,BIconArrowUpRightCircle:()=>ve,BIconArrowUpRightCircleFill:()=>ge,BIconArrowUpRightSquare:()=>_e,BIconArrowUpRightSquareFill:()=>be,BIconArrowUpShort:()=>ye,BIconArrowUpSquare:()=>Ie,BIconArrowUpSquareFill:()=>Me,BIconArrowsAngleContract:()=>we,BIconArrowsAngleExpand:()=>Be,BIconArrowsCollapse:()=>ke,BIconArrowsExpand:()=>Te,BIconArrowsFullscreen:()=>Pe,BIconArrowsMove:()=>Ee,BIconAspectRatio:()=>xe,BIconAspectRatioFill:()=>Oe,BIconAsterisk:()=>Se,BIconAt:()=>Ae,BIconAward:()=>Le,BIconAwardFill:()=>Ce,BIconBack:()=>ze,BIconBackspace:()=>De,BIconBackspaceFill:()=>Fe,BIconBackspaceReverse:()=>Re,BIconBackspaceReverseFill:()=>Ne,BIconBadge3d:()=>He,BIconBadge3dFill:()=>Ve,BIconBadge4k:()=>Ye,BIconBadge4kFill:()=>je,BIconBadge8k:()=>Ue,BIconBadge8kFill:()=>$e,BIconBadgeAd:()=>We,BIconBadgeAdFill:()=>Ge,BIconBadgeAr:()=>qe,BIconBadgeArFill:()=>Xe,BIconBadgeCc:()=>Ke,BIconBadgeCcFill:()=>Je,BIconBadgeHd:()=>Ze,BIconBadgeHdFill:()=>Qe,BIconBadgeTm:()=>et,BIconBadgeTmFill:()=>tt,BIconBadgeVo:()=>nt,BIconBadgeVoFill:()=>at,BIconBadgeVr:()=>rt,BIconBadgeVrFill:()=>ot,BIconBadgeWc:()=>it,BIconBadgeWcFill:()=>st,BIconBag:()=>lt,BIconBagCheck:()=>ct,BIconBagCheckFill:()=>ut,BIconBagDash:()=>dt,BIconBagDashFill:()=>ht,BIconBagFill:()=>ft,BIconBagPlus:()=>pt,BIconBagPlusFill:()=>mt,BIconBagX:()=>vt,BIconBagXFill:()=>gt,BIconBank:()=>_t,BIconBank2:()=>bt,BIconBarChart:()=>yt,BIconBarChartFill:()=>It,BIconBarChartLine:()=>Mt,BIconBarChartLineFill:()=>wt,BIconBarChartSteps:()=>Bt,BIconBasket:()=>kt,BIconBasket2:()=>Tt,BIconBasket2Fill:()=>Pt,BIconBasket3:()=>Et,BIconBasket3Fill:()=>xt,BIconBasketFill:()=>Ot,BIconBattery:()=>St,BIconBatteryCharging:()=>At,BIconBatteryFull:()=>Lt,BIconBatteryHalf:()=>Ct,BIconBell:()=>zt,BIconBellFill:()=>Dt,BIconBellSlash:()=>Ft,BIconBellSlashFill:()=>Rt,BIconBezier:()=>Nt,BIconBezier2:()=>Ht,BIconBicycle:()=>Vt,BIconBinoculars:()=>Yt,BIconBinocularsFill:()=>jt,BIconBlank:()=>r,BIconBlockquoteLeft:()=>Ut,BIconBlockquoteRight:()=>$t,BIconBook:()=>Wt,BIconBookFill:()=>Gt,BIconBookHalf:()=>qt,BIconBookmark:()=>Xt,BIconBookmarkCheck:()=>Kt,BIconBookmarkCheckFill:()=>Jt,BIconBookmarkDash:()=>Zt,BIconBookmarkDashFill:()=>Qt,BIconBookmarkFill:()=>en,BIconBookmarkHeart:()=>tn,BIconBookmarkHeartFill:()=>nn,BIconBookmarkPlus:()=>an,BIconBookmarkPlusFill:()=>rn,BIconBookmarkStar:()=>on,BIconBookmarkStarFill:()=>sn,BIconBookmarkX:()=>ln,BIconBookmarkXFill:()=>cn,BIconBookmarks:()=>un,BIconBookmarksFill:()=>dn,BIconBookshelf:()=>hn,BIconBootstrap:()=>fn,BIconBootstrapFill:()=>pn,BIconBootstrapReboot:()=>mn,BIconBorder:()=>vn,BIconBorderAll:()=>gn,BIconBorderBottom:()=>_n,BIconBorderCenter:()=>bn,BIconBorderInner:()=>yn,BIconBorderLeft:()=>In,BIconBorderMiddle:()=>Mn,BIconBorderOuter:()=>wn,BIconBorderRight:()=>Bn,BIconBorderStyle:()=>kn,BIconBorderTop:()=>Tn,BIconBorderWidth:()=>Pn,BIconBoundingBox:()=>En,BIconBoundingBoxCircles:()=>xn,BIconBox:()=>On,BIconBoxArrowDown:()=>Sn,BIconBoxArrowDownLeft:()=>An,BIconBoxArrowDownRight:()=>Ln,BIconBoxArrowInDown:()=>Cn,BIconBoxArrowInDownLeft:()=>zn,BIconBoxArrowInDownRight:()=>Dn,BIconBoxArrowInLeft:()=>Fn,BIconBoxArrowInRight:()=>Rn,BIconBoxArrowInUp:()=>Nn,BIconBoxArrowInUpLeft:()=>Hn,BIconBoxArrowInUpRight:()=>Vn,BIconBoxArrowLeft:()=>Yn,BIconBoxArrowRight:()=>jn,BIconBoxArrowUp:()=>Un,BIconBoxArrowUpLeft:()=>$n,BIconBoxArrowUpRight:()=>Wn,BIconBoxSeam:()=>Gn,BIconBraces:()=>qn,BIconBricks:()=>Xn,BIconBriefcase:()=>Kn,BIconBriefcaseFill:()=>Jn,BIconBrightnessAltHigh:()=>Zn,BIconBrightnessAltHighFill:()=>Qn,BIconBrightnessAltLow:()=>ea,BIconBrightnessAltLowFill:()=>ta,BIconBrightnessHigh:()=>na,BIconBrightnessHighFill:()=>aa,BIconBrightnessLow:()=>ra,BIconBrightnessLowFill:()=>oa,BIconBroadcast:()=>ia,BIconBroadcastPin:()=>sa,BIconBrush:()=>la,BIconBrushFill:()=>ca,BIconBucket:()=>ua,BIconBucketFill:()=>da,BIconBug:()=>ha,BIconBugFill:()=>fa,BIconBuilding:()=>pa,BIconBullseye:()=>ma,BIconCalculator:()=>va,BIconCalculatorFill:()=>ga,BIconCalendar:()=>_a,BIconCalendar2:()=>ba,BIconCalendar2Check:()=>ya,BIconCalendar2CheckFill:()=>Ia,BIconCalendar2Date:()=>Ma,BIconCalendar2DateFill:()=>wa,BIconCalendar2Day:()=>Ba,BIconCalendar2DayFill:()=>ka,BIconCalendar2Event:()=>Ta,BIconCalendar2EventFill:()=>Pa,BIconCalendar2Fill:()=>Ea,BIconCalendar2Minus:()=>xa,BIconCalendar2MinusFill:()=>Oa,BIconCalendar2Month:()=>Sa,BIconCalendar2MonthFill:()=>Aa,BIconCalendar2Plus:()=>La,BIconCalendar2PlusFill:()=>Ca,BIconCalendar2Range:()=>za,BIconCalendar2RangeFill:()=>Da,BIconCalendar2Week:()=>Fa,BIconCalendar2WeekFill:()=>Ra,BIconCalendar2X:()=>Na,BIconCalendar2XFill:()=>Ha,BIconCalendar3:()=>Va,BIconCalendar3Event:()=>Ya,BIconCalendar3EventFill:()=>ja,BIconCalendar3Fill:()=>Ua,BIconCalendar3Range:()=>$a,BIconCalendar3RangeFill:()=>Wa,BIconCalendar3Week:()=>Ga,BIconCalendar3WeekFill:()=>qa,BIconCalendar4:()=>Xa,BIconCalendar4Event:()=>Ka,BIconCalendar4Range:()=>Ja,BIconCalendar4Week:()=>Za,BIconCalendarCheck:()=>Qa,BIconCalendarCheckFill:()=>er,BIconCalendarDate:()=>tr,BIconCalendarDateFill:()=>nr,BIconCalendarDay:()=>ar,BIconCalendarDayFill:()=>rr,BIconCalendarEvent:()=>or,BIconCalendarEventFill:()=>ir,BIconCalendarFill:()=>sr,BIconCalendarMinus:()=>lr,BIconCalendarMinusFill:()=>cr,BIconCalendarMonth:()=>ur,BIconCalendarMonthFill:()=>dr,BIconCalendarPlus:()=>hr,BIconCalendarPlusFill:()=>fr,BIconCalendarRange:()=>pr,BIconCalendarRangeFill:()=>mr,BIconCalendarWeek:()=>vr,BIconCalendarWeekFill:()=>gr,BIconCalendarX:()=>_r,BIconCalendarXFill:()=>br,BIconCamera:()=>yr,BIconCamera2:()=>Ir,BIconCameraFill:()=>Mr,BIconCameraReels:()=>wr,BIconCameraReelsFill:()=>Br,BIconCameraVideo:()=>kr,BIconCameraVideoFill:()=>Tr,BIconCameraVideoOff:()=>Pr,BIconCameraVideoOffFill:()=>Er,BIconCapslock:()=>xr,BIconCapslockFill:()=>Or,BIconCardChecklist:()=>Sr,BIconCardHeading:()=>Ar,BIconCardImage:()=>Lr,BIconCardList:()=>Cr,BIconCardText:()=>zr,BIconCaretDown:()=>Dr,BIconCaretDownFill:()=>Fr,BIconCaretDownSquare:()=>Rr,BIconCaretDownSquareFill:()=>Nr,BIconCaretLeft:()=>Hr,BIconCaretLeftFill:()=>Vr,BIconCaretLeftSquare:()=>Yr,BIconCaretLeftSquareFill:()=>jr,BIconCaretRight:()=>Ur,BIconCaretRightFill:()=>$r,BIconCaretRightSquare:()=>Wr,BIconCaretRightSquareFill:()=>Gr,BIconCaretUp:()=>qr,BIconCaretUpFill:()=>Xr,BIconCaretUpSquare:()=>Kr,BIconCaretUpSquareFill:()=>Jr,BIconCart:()=>Zr,BIconCart2:()=>Qr,BIconCart3:()=>eo,BIconCart4:()=>to,BIconCartCheck:()=>no,BIconCartCheckFill:()=>ao,BIconCartDash:()=>ro,BIconCartDashFill:()=>oo,BIconCartFill:()=>io,BIconCartPlus:()=>so,BIconCartPlusFill:()=>lo,BIconCartX:()=>co,BIconCartXFill:()=>uo,BIconCash:()=>ho,BIconCashCoin:()=>fo,BIconCashStack:()=>po,BIconCast:()=>mo,BIconChat:()=>vo,BIconChatDots:()=>go,BIconChatDotsFill:()=>_o,BIconChatFill:()=>bo,BIconChatLeft:()=>yo,BIconChatLeftDots:()=>Io,BIconChatLeftDotsFill:()=>Mo,BIconChatLeftFill:()=>wo,BIconChatLeftQuote:()=>Bo,BIconChatLeftQuoteFill:()=>ko,BIconChatLeftText:()=>To,BIconChatLeftTextFill:()=>Po,BIconChatQuote:()=>Eo,BIconChatQuoteFill:()=>xo,BIconChatRight:()=>Oo,BIconChatRightDots:()=>So,BIconChatRightDotsFill:()=>Ao,BIconChatRightFill:()=>Lo,BIconChatRightQuote:()=>Co,BIconChatRightQuoteFill:()=>zo,BIconChatRightText:()=>Do,BIconChatRightTextFill:()=>Fo,BIconChatSquare:()=>Ro,BIconChatSquareDots:()=>No,BIconChatSquareDotsFill:()=>Ho,BIconChatSquareFill:()=>Vo,BIconChatSquareQuote:()=>Yo,BIconChatSquareQuoteFill:()=>jo,BIconChatSquareText:()=>Uo,BIconChatSquareTextFill:()=>$o,BIconChatText:()=>Wo,BIconChatTextFill:()=>Go,BIconCheck:()=>qo,BIconCheck2:()=>Xo,BIconCheck2All:()=>Ko,BIconCheck2Circle:()=>Jo,BIconCheck2Square:()=>Zo,BIconCheckAll:()=>Qo,BIconCheckCircle:()=>ei,BIconCheckCircleFill:()=>ti,BIconCheckLg:()=>ni,BIconCheckSquare:()=>ai,BIconCheckSquareFill:()=>ri,BIconChevronBarContract:()=>oi,BIconChevronBarDown:()=>ii,BIconChevronBarExpand:()=>si,BIconChevronBarLeft:()=>li,BIconChevronBarRight:()=>ci,BIconChevronBarUp:()=>ui,BIconChevronCompactDown:()=>di,BIconChevronCompactLeft:()=>hi,BIconChevronCompactRight:()=>fi,BIconChevronCompactUp:()=>pi,BIconChevronContract:()=>mi,BIconChevronDoubleDown:()=>vi,BIconChevronDoubleLeft:()=>gi,BIconChevronDoubleRight:()=>_i,BIconChevronDoubleUp:()=>bi,BIconChevronDown:()=>yi,BIconChevronExpand:()=>Ii,BIconChevronLeft:()=>Mi,BIconChevronRight:()=>wi,BIconChevronUp:()=>Bi,BIconCircle:()=>ki,BIconCircleFill:()=>Ti,BIconCircleHalf:()=>Pi,BIconCircleSquare:()=>Ei,BIconClipboard:()=>xi,BIconClipboardCheck:()=>Oi,BIconClipboardData:()=>Si,BIconClipboardMinus:()=>Ai,BIconClipboardPlus:()=>Li,BIconClipboardX:()=>Ci,BIconClock:()=>zi,BIconClockFill:()=>Di,BIconClockHistory:()=>Fi,BIconCloud:()=>Ri,BIconCloudArrowDown:()=>Ni,BIconCloudArrowDownFill:()=>Hi,BIconCloudArrowUp:()=>Vi,BIconCloudArrowUpFill:()=>Yi,BIconCloudCheck:()=>ji,BIconCloudCheckFill:()=>Ui,BIconCloudDownload:()=>$i,BIconCloudDownloadFill:()=>Wi,BIconCloudDrizzle:()=>Gi,BIconCloudDrizzleFill:()=>qi,BIconCloudFill:()=>Xi,BIconCloudFog:()=>Ki,BIconCloudFog2:()=>Ji,BIconCloudFog2Fill:()=>Zi,BIconCloudFogFill:()=>Qi,BIconCloudHail:()=>es,BIconCloudHailFill:()=>ts,BIconCloudHaze:()=>ns,BIconCloudHaze1:()=>as,BIconCloudHaze2Fill:()=>rs,BIconCloudHazeFill:()=>os,BIconCloudLightning:()=>is,BIconCloudLightningFill:()=>ss,BIconCloudLightningRain:()=>ls,BIconCloudLightningRainFill:()=>cs,BIconCloudMinus:()=>us,BIconCloudMinusFill:()=>ds,BIconCloudMoon:()=>hs,BIconCloudMoonFill:()=>fs,BIconCloudPlus:()=>ps,BIconCloudPlusFill:()=>ms,BIconCloudRain:()=>vs,BIconCloudRainFill:()=>gs,BIconCloudRainHeavy:()=>_s,BIconCloudRainHeavyFill:()=>bs,BIconCloudSlash:()=>ys,BIconCloudSlashFill:()=>Is,BIconCloudSleet:()=>Ms,BIconCloudSleetFill:()=>ws,BIconCloudSnow:()=>Bs,BIconCloudSnowFill:()=>ks,BIconCloudSun:()=>Ts,BIconCloudSunFill:()=>Ps,BIconCloudUpload:()=>Es,BIconCloudUploadFill:()=>xs,BIconClouds:()=>Os,BIconCloudsFill:()=>Ss,BIconCloudy:()=>As,BIconCloudyFill:()=>Ls,BIconCode:()=>Cs,BIconCodeSlash:()=>zs,BIconCodeSquare:()=>Ds,BIconCoin:()=>Fs,BIconCollection:()=>Rs,BIconCollectionFill:()=>Ns,BIconCollectionPlay:()=>Hs,BIconCollectionPlayFill:()=>Vs,BIconColumns:()=>Ys,BIconColumnsGap:()=>js,BIconCommand:()=>Us,BIconCompass:()=>$s,BIconCompassFill:()=>Ws,BIconCone:()=>Gs,BIconConeStriped:()=>qs,BIconController:()=>Xs,BIconCpu:()=>Ks,BIconCpuFill:()=>Js,BIconCreditCard:()=>Zs,BIconCreditCard2Back:()=>Qs,BIconCreditCard2BackFill:()=>el,BIconCreditCard2Front:()=>tl,BIconCreditCard2FrontFill:()=>nl,BIconCreditCardFill:()=>al,BIconCrop:()=>rl,BIconCup:()=>ol,BIconCupFill:()=>il,BIconCupStraw:()=>sl,BIconCurrencyBitcoin:()=>ll,BIconCurrencyDollar:()=>cl,BIconCurrencyEuro:()=>ul,BIconCurrencyExchange:()=>dl,BIconCurrencyPound:()=>hl,BIconCurrencyYen:()=>fl,BIconCursor:()=>pl,BIconCursorFill:()=>ml,BIconCursorText:()=>vl,BIconDash:()=>gl,BIconDashCircle:()=>_l,BIconDashCircleDotted:()=>bl,BIconDashCircleFill:()=>yl,BIconDashLg:()=>Il,BIconDashSquare:()=>Ml,BIconDashSquareDotted:()=>wl,BIconDashSquareFill:()=>Bl,BIconDiagram2:()=>kl,BIconDiagram2Fill:()=>Tl,BIconDiagram3:()=>Pl,BIconDiagram3Fill:()=>El,BIconDiamond:()=>xl,BIconDiamondFill:()=>Ol,BIconDiamondHalf:()=>Sl,BIconDice1:()=>Al,BIconDice1Fill:()=>Ll,BIconDice2:()=>Cl,BIconDice2Fill:()=>zl,BIconDice3:()=>Dl,BIconDice3Fill:()=>Fl,BIconDice4:()=>Rl,BIconDice4Fill:()=>Nl,BIconDice5:()=>Hl,BIconDice5Fill:()=>Vl,BIconDice6:()=>Yl,BIconDice6Fill:()=>jl,BIconDisc:()=>Ul,BIconDiscFill:()=>$l,BIconDiscord:()=>Wl,BIconDisplay:()=>Gl,BIconDisplayFill:()=>ql,BIconDistributeHorizontal:()=>Xl,BIconDistributeVertical:()=>Kl,BIconDoorClosed:()=>Jl,BIconDoorClosedFill:()=>Zl,BIconDoorOpen:()=>Ql,BIconDoorOpenFill:()=>ec,BIconDot:()=>tc,BIconDownload:()=>nc,BIconDroplet:()=>ac,BIconDropletFill:()=>rc,BIconDropletHalf:()=>oc,BIconEarbuds:()=>ic,BIconEasel:()=>sc,BIconEaselFill:()=>lc,BIconEgg:()=>cc,BIconEggFill:()=>uc,BIconEggFried:()=>dc,BIconEject:()=>hc,BIconEjectFill:()=>fc,BIconEmojiAngry:()=>pc,BIconEmojiAngryFill:()=>mc,BIconEmojiDizzy:()=>vc,BIconEmojiDizzyFill:()=>gc,BIconEmojiExpressionless:()=>_c,BIconEmojiExpressionlessFill:()=>bc,BIconEmojiFrown:()=>yc,BIconEmojiFrownFill:()=>Ic,BIconEmojiHeartEyes:()=>Mc,BIconEmojiHeartEyesFill:()=>wc,BIconEmojiLaughing:()=>Bc,BIconEmojiLaughingFill:()=>kc,BIconEmojiNeutral:()=>Tc,BIconEmojiNeutralFill:()=>Pc,BIconEmojiSmile:()=>Ec,BIconEmojiSmileFill:()=>xc,BIconEmojiSmileUpsideDown:()=>Oc,BIconEmojiSmileUpsideDownFill:()=>Sc,BIconEmojiSunglasses:()=>Ac,BIconEmojiSunglassesFill:()=>Lc,BIconEmojiWink:()=>Cc,BIconEmojiWinkFill:()=>zc,BIconEnvelope:()=>Dc,BIconEnvelopeFill:()=>Fc,BIconEnvelopeOpen:()=>Rc,BIconEnvelopeOpenFill:()=>Nc,BIconEraser:()=>Hc,BIconEraserFill:()=>Vc,BIconExclamation:()=>Yc,BIconExclamationCircle:()=>jc,BIconExclamationCircleFill:()=>Uc,BIconExclamationDiamond:()=>$c,BIconExclamationDiamondFill:()=>Wc,BIconExclamationLg:()=>Gc,BIconExclamationOctagon:()=>qc,BIconExclamationOctagonFill:()=>Xc,BIconExclamationSquare:()=>Kc,BIconExclamationSquareFill:()=>Jc,BIconExclamationTriangle:()=>Zc,BIconExclamationTriangleFill:()=>Qc,BIconExclude:()=>eu,BIconEye:()=>tu,BIconEyeFill:()=>nu,BIconEyeSlash:()=>au,BIconEyeSlashFill:()=>ru,BIconEyedropper:()=>ou,BIconEyeglasses:()=>iu,BIconFacebook:()=>su,BIconFile:()=>lu,BIconFileArrowDown:()=>cu,BIconFileArrowDownFill:()=>uu,BIconFileArrowUp:()=>du,BIconFileArrowUpFill:()=>hu,BIconFileBarGraph:()=>fu,BIconFileBarGraphFill:()=>pu,BIconFileBinary:()=>mu,BIconFileBinaryFill:()=>vu,BIconFileBreak:()=>gu,BIconFileBreakFill:()=>_u,BIconFileCheck:()=>bu,BIconFileCheckFill:()=>yu,BIconFileCode:()=>Iu,BIconFileCodeFill:()=>Mu,BIconFileDiff:()=>wu,BIconFileDiffFill:()=>Bu,BIconFileEarmark:()=>ku,BIconFileEarmarkArrowDown:()=>Tu,BIconFileEarmarkArrowDownFill:()=>Pu,BIconFileEarmarkArrowUp:()=>Eu,BIconFileEarmarkArrowUpFill:()=>xu,BIconFileEarmarkBarGraph:()=>Ou,BIconFileEarmarkBarGraphFill:()=>Su,BIconFileEarmarkBinary:()=>Au,BIconFileEarmarkBinaryFill:()=>Lu,BIconFileEarmarkBreak:()=>Cu,BIconFileEarmarkBreakFill:()=>zu,BIconFileEarmarkCheck:()=>Du,BIconFileEarmarkCheckFill:()=>Fu,BIconFileEarmarkCode:()=>Ru,BIconFileEarmarkCodeFill:()=>Nu,BIconFileEarmarkDiff:()=>Hu,BIconFileEarmarkDiffFill:()=>Vu,BIconFileEarmarkEasel:()=>Yu,BIconFileEarmarkEaselFill:()=>ju,BIconFileEarmarkExcel:()=>Uu,BIconFileEarmarkExcelFill:()=>$u,BIconFileEarmarkFill:()=>Wu,BIconFileEarmarkFont:()=>Gu,BIconFileEarmarkFontFill:()=>qu,BIconFileEarmarkImage:()=>Xu,BIconFileEarmarkImageFill:()=>Ku,BIconFileEarmarkLock:()=>Ju,BIconFileEarmarkLock2:()=>Zu,BIconFileEarmarkLock2Fill:()=>Qu,BIconFileEarmarkLockFill:()=>ed,BIconFileEarmarkMedical:()=>td,BIconFileEarmarkMedicalFill:()=>nd,BIconFileEarmarkMinus:()=>ad,BIconFileEarmarkMinusFill:()=>rd,BIconFileEarmarkMusic:()=>od,BIconFileEarmarkMusicFill:()=>id,BIconFileEarmarkPdf:()=>sd,BIconFileEarmarkPdfFill:()=>ld,BIconFileEarmarkPerson:()=>cd,BIconFileEarmarkPersonFill:()=>ud,BIconFileEarmarkPlay:()=>dd,BIconFileEarmarkPlayFill:()=>hd,BIconFileEarmarkPlus:()=>fd,BIconFileEarmarkPlusFill:()=>pd,BIconFileEarmarkPost:()=>md,BIconFileEarmarkPostFill:()=>vd,BIconFileEarmarkPpt:()=>gd,BIconFileEarmarkPptFill:()=>_d,BIconFileEarmarkRichtext:()=>bd,BIconFileEarmarkRichtextFill:()=>yd,BIconFileEarmarkRuled:()=>Id,BIconFileEarmarkRuledFill:()=>Md,BIconFileEarmarkSlides:()=>wd,BIconFileEarmarkSlidesFill:()=>Bd,BIconFileEarmarkSpreadsheet:()=>kd,BIconFileEarmarkSpreadsheetFill:()=>Td,BIconFileEarmarkText:()=>Pd,BIconFileEarmarkTextFill:()=>Ed,BIconFileEarmarkWord:()=>xd,BIconFileEarmarkWordFill:()=>Od,BIconFileEarmarkX:()=>Sd,BIconFileEarmarkXFill:()=>Ad,BIconFileEarmarkZip:()=>Ld,BIconFileEarmarkZipFill:()=>Cd,BIconFileEasel:()=>zd,BIconFileEaselFill:()=>Dd,BIconFileExcel:()=>Fd,BIconFileExcelFill:()=>Rd,BIconFileFill:()=>Nd,BIconFileFont:()=>Hd,BIconFileFontFill:()=>Vd,BIconFileImage:()=>Yd,BIconFileImageFill:()=>jd,BIconFileLock:()=>Ud,BIconFileLock2:()=>$d,BIconFileLock2Fill:()=>Wd,BIconFileLockFill:()=>Gd,BIconFileMedical:()=>qd,BIconFileMedicalFill:()=>Xd,BIconFileMinus:()=>Kd,BIconFileMinusFill:()=>Jd,BIconFileMusic:()=>Zd,BIconFileMusicFill:()=>Qd,BIconFilePdf:()=>eh,BIconFilePdfFill:()=>th,BIconFilePerson:()=>nh,BIconFilePersonFill:()=>ah,BIconFilePlay:()=>rh,BIconFilePlayFill:()=>oh,BIconFilePlus:()=>ih,BIconFilePlusFill:()=>sh,BIconFilePost:()=>lh,BIconFilePostFill:()=>ch,BIconFilePpt:()=>uh,BIconFilePptFill:()=>dh,BIconFileRichtext:()=>hh,BIconFileRichtextFill:()=>fh,BIconFileRuled:()=>ph,BIconFileRuledFill:()=>mh,BIconFileSlides:()=>vh,BIconFileSlidesFill:()=>gh,BIconFileSpreadsheet:()=>_h,BIconFileSpreadsheetFill:()=>bh,BIconFileText:()=>yh,BIconFileTextFill:()=>Ih,BIconFileWord:()=>Mh,BIconFileWordFill:()=>wh,BIconFileX:()=>Bh,BIconFileXFill:()=>kh,BIconFileZip:()=>Th,BIconFileZipFill:()=>Ph,BIconFiles:()=>Eh,BIconFilesAlt:()=>xh,BIconFilm:()=>Oh,BIconFilter:()=>Sh,BIconFilterCircle:()=>Ah,BIconFilterCircleFill:()=>Lh,BIconFilterLeft:()=>Ch,BIconFilterRight:()=>zh,BIconFilterSquare:()=>Dh,BIconFilterSquareFill:()=>Fh,BIconFlag:()=>Rh,BIconFlagFill:()=>Nh,BIconFlower1:()=>Hh,BIconFlower2:()=>Vh,BIconFlower3:()=>Yh,BIconFolder:()=>jh,BIconFolder2:()=>Uh,BIconFolder2Open:()=>$h,BIconFolderCheck:()=>Wh,BIconFolderFill:()=>Gh,BIconFolderMinus:()=>qh,BIconFolderPlus:()=>Xh,BIconFolderSymlink:()=>Kh,BIconFolderSymlinkFill:()=>Jh,BIconFolderX:()=>Zh,BIconFonts:()=>Qh,BIconForward:()=>ef,BIconForwardFill:()=>tf,BIconFront:()=>nf,BIconFullscreen:()=>af,BIconFullscreenExit:()=>rf,BIconFunnel:()=>of,BIconFunnelFill:()=>sf,BIconGear:()=>lf,BIconGearFill:()=>cf,BIconGearWide:()=>uf,BIconGearWideConnected:()=>df,BIconGem:()=>hf,BIconGenderAmbiguous:()=>ff,BIconGenderFemale:()=>pf,BIconGenderMale:()=>mf,BIconGenderTrans:()=>vf,BIconGeo:()=>gf,BIconGeoAlt:()=>_f,BIconGeoAltFill:()=>bf,BIconGeoFill:()=>yf,BIconGift:()=>If,BIconGiftFill:()=>Mf,BIconGithub:()=>wf,BIconGlobe:()=>Bf,BIconGlobe2:()=>kf,BIconGoogle:()=>Tf,BIconGraphDown:()=>Pf,BIconGraphUp:()=>Ef,BIconGrid:()=>xf,BIconGrid1x2:()=>Of,BIconGrid1x2Fill:()=>Sf,BIconGrid3x2:()=>Af,BIconGrid3x2Gap:()=>Lf,BIconGrid3x2GapFill:()=>Cf,BIconGrid3x3:()=>zf,BIconGrid3x3Gap:()=>Df,BIconGrid3x3GapFill:()=>Ff,BIconGridFill:()=>Rf,BIconGripHorizontal:()=>Nf,BIconGripVertical:()=>Hf,BIconHammer:()=>Vf,BIconHandIndex:()=>Yf,BIconHandIndexFill:()=>jf,BIconHandIndexThumb:()=>Uf,BIconHandIndexThumbFill:()=>$f,BIconHandThumbsDown:()=>Wf,BIconHandThumbsDownFill:()=>Gf,BIconHandThumbsUp:()=>qf,BIconHandThumbsUpFill:()=>Xf,BIconHandbag:()=>Kf,BIconHandbagFill:()=>Jf,BIconHash:()=>Zf,BIconHdd:()=>Qf,BIconHddFill:()=>ep,BIconHddNetwork:()=>tp,BIconHddNetworkFill:()=>np,BIconHddRack:()=>ap,BIconHddRackFill:()=>rp,BIconHddStack:()=>op,BIconHddStackFill:()=>ip,BIconHeadphones:()=>sp,BIconHeadset:()=>lp,BIconHeadsetVr:()=>cp,BIconHeart:()=>up,BIconHeartFill:()=>dp,BIconHeartHalf:()=>hp,BIconHeptagon:()=>fp,BIconHeptagonFill:()=>pp,BIconHeptagonHalf:()=>mp,BIconHexagon:()=>vp,BIconHexagonFill:()=>gp,BIconHexagonHalf:()=>_p,BIconHourglass:()=>bp,BIconHourglassBottom:()=>yp,BIconHourglassSplit:()=>Ip,BIconHourglassTop:()=>Mp,BIconHouse:()=>wp,BIconHouseDoor:()=>Bp,BIconHouseDoorFill:()=>kp,BIconHouseFill:()=>Tp,BIconHr:()=>Pp,BIconHurricane:()=>Ep,BIconImage:()=>xp,BIconImageAlt:()=>Op,BIconImageFill:()=>Sp,BIconImages:()=>Ap,BIconInbox:()=>Lp,BIconInboxFill:()=>Cp,BIconInboxes:()=>zp,BIconInboxesFill:()=>Dp,BIconInfo:()=>Fp,BIconInfoCircle:()=>Rp,BIconInfoCircleFill:()=>Np,BIconInfoLg:()=>Hp,BIconInfoSquare:()=>Vp,BIconInfoSquareFill:()=>Yp,BIconInputCursor:()=>jp,BIconInputCursorText:()=>Up,BIconInstagram:()=>$p,BIconIntersect:()=>Wp,BIconJournal:()=>Gp,BIconJournalAlbum:()=>qp,BIconJournalArrowDown:()=>Xp,BIconJournalArrowUp:()=>Kp,BIconJournalBookmark:()=>Jp,BIconJournalBookmarkFill:()=>Zp,BIconJournalCheck:()=>Qp,BIconJournalCode:()=>em,BIconJournalMedical:()=>tm,BIconJournalMinus:()=>nm,BIconJournalPlus:()=>am,BIconJournalRichtext:()=>rm,BIconJournalText:()=>om,BIconJournalX:()=>im,BIconJournals:()=>sm,BIconJoystick:()=>lm,BIconJustify:()=>cm,BIconJustifyLeft:()=>um,BIconJustifyRight:()=>dm,BIconKanban:()=>hm,BIconKanbanFill:()=>fm,BIconKey:()=>pm,BIconKeyFill:()=>mm,BIconKeyboard:()=>vm,BIconKeyboardFill:()=>gm,BIconLadder:()=>_m,BIconLamp:()=>bm,BIconLampFill:()=>ym,BIconLaptop:()=>Im,BIconLaptopFill:()=>Mm,BIconLayerBackward:()=>wm,BIconLayerForward:()=>Bm,BIconLayers:()=>km,BIconLayersFill:()=>Tm,BIconLayersHalf:()=>Pm,BIconLayoutSidebar:()=>Em,BIconLayoutSidebarInset:()=>xm,BIconLayoutSidebarInsetReverse:()=>Om,BIconLayoutSidebarReverse:()=>Sm,BIconLayoutSplit:()=>Am,BIconLayoutTextSidebar:()=>Lm,BIconLayoutTextSidebarReverse:()=>Cm,BIconLayoutTextWindow:()=>zm,BIconLayoutTextWindowReverse:()=>Dm,BIconLayoutThreeColumns:()=>Fm,BIconLayoutWtf:()=>Rm,BIconLifePreserver:()=>Nm,BIconLightbulb:()=>Hm,BIconLightbulbFill:()=>Vm,BIconLightbulbOff:()=>Ym,BIconLightbulbOffFill:()=>jm,BIconLightning:()=>Um,BIconLightningCharge:()=>$m,BIconLightningChargeFill:()=>Wm,BIconLightningFill:()=>Gm,BIconLink:()=>qm,BIconLink45deg:()=>Xm,BIconLinkedin:()=>Km,BIconList:()=>Jm,BIconListCheck:()=>Zm,BIconListNested:()=>Qm,BIconListOl:()=>ev,BIconListStars:()=>tv,BIconListTask:()=>nv,BIconListUl:()=>av,BIconLock:()=>rv,BIconLockFill:()=>ov,BIconMailbox:()=>iv,BIconMailbox2:()=>sv,BIconMap:()=>lv,BIconMapFill:()=>cv,BIconMarkdown:()=>uv,BIconMarkdownFill:()=>dv,BIconMask:()=>hv,BIconMastodon:()=>fv,BIconMegaphone:()=>pv,BIconMegaphoneFill:()=>mv,BIconMenuApp:()=>vv,BIconMenuAppFill:()=>gv,BIconMenuButton:()=>_v,BIconMenuButtonFill:()=>bv,BIconMenuButtonWide:()=>yv,BIconMenuButtonWideFill:()=>Iv,BIconMenuDown:()=>Mv,BIconMenuUp:()=>wv,BIconMessenger:()=>Bv,BIconMic:()=>kv,BIconMicFill:()=>Tv,BIconMicMute:()=>Pv,BIconMicMuteFill:()=>Ev,BIconMinecart:()=>xv,BIconMinecartLoaded:()=>Ov,BIconMoisture:()=>Sv,BIconMoon:()=>Av,BIconMoonFill:()=>Lv,BIconMoonStars:()=>Cv,BIconMoonStarsFill:()=>zv,BIconMouse:()=>Dv,BIconMouse2:()=>Fv,BIconMouse2Fill:()=>Rv,BIconMouse3:()=>Nv,BIconMouse3Fill:()=>Hv,BIconMouseFill:()=>Vv,BIconMusicNote:()=>Yv,BIconMusicNoteBeamed:()=>jv,BIconMusicNoteList:()=>Uv,BIconMusicPlayer:()=>$v,BIconMusicPlayerFill:()=>Wv,BIconNewspaper:()=>Gv,BIconNodeMinus:()=>qv,BIconNodeMinusFill:()=>Xv,BIconNodePlus:()=>Kv,BIconNodePlusFill:()=>Jv,BIconNut:()=>Zv,BIconNutFill:()=>Qv,BIconOctagon:()=>eg,BIconOctagonFill:()=>tg,BIconOctagonHalf:()=>ng,BIconOption:()=>ag,BIconOutlet:()=>rg,BIconPaintBucket:()=>og,BIconPalette:()=>ig,BIconPalette2:()=>sg,BIconPaletteFill:()=>lg,BIconPaperclip:()=>cg,BIconParagraph:()=>ug,BIconPatchCheck:()=>dg,BIconPatchCheckFill:()=>hg,BIconPatchExclamation:()=>fg,BIconPatchExclamationFill:()=>pg,BIconPatchMinus:()=>mg,BIconPatchMinusFill:()=>vg,BIconPatchPlus:()=>gg,BIconPatchPlusFill:()=>_g,BIconPatchQuestion:()=>bg,BIconPatchQuestionFill:()=>yg,BIconPause:()=>Ig,BIconPauseBtn:()=>Mg,BIconPauseBtnFill:()=>wg,BIconPauseCircle:()=>Bg,BIconPauseCircleFill:()=>kg,BIconPauseFill:()=>Tg,BIconPeace:()=>Pg,BIconPeaceFill:()=>Eg,BIconPen:()=>xg,BIconPenFill:()=>Og,BIconPencil:()=>Sg,BIconPencilFill:()=>Ag,BIconPencilSquare:()=>Lg,BIconPentagon:()=>Cg,BIconPentagonFill:()=>zg,BIconPentagonHalf:()=>Dg,BIconPeople:()=>Fg,BIconPeopleFill:()=>Rg,BIconPercent:()=>Ng,BIconPerson:()=>Hg,BIconPersonBadge:()=>Vg,BIconPersonBadgeFill:()=>Yg,BIconPersonBoundingBox:()=>jg,BIconPersonCheck:()=>Ug,BIconPersonCheckFill:()=>$g,BIconPersonCircle:()=>Wg,BIconPersonDash:()=>Gg,BIconPersonDashFill:()=>qg,BIconPersonFill:()=>Xg,BIconPersonLinesFill:()=>Kg,BIconPersonPlus:()=>Jg,BIconPersonPlusFill:()=>Zg,BIconPersonSquare:()=>Qg,BIconPersonX:()=>e_,BIconPersonXFill:()=>t_,BIconPhone:()=>n_,BIconPhoneFill:()=>a_,BIconPhoneLandscape:()=>r_,BIconPhoneLandscapeFill:()=>o_,BIconPhoneVibrate:()=>i_,BIconPhoneVibrateFill:()=>s_,BIconPieChart:()=>l_,BIconPieChartFill:()=>c_,BIconPiggyBank:()=>u_,BIconPiggyBankFill:()=>d_,BIconPin:()=>h_,BIconPinAngle:()=>f_,BIconPinAngleFill:()=>p_,BIconPinFill:()=>m_,BIconPinMap:()=>v_,BIconPinMapFill:()=>g_,BIconPip:()=>__,BIconPipFill:()=>b_,BIconPlay:()=>y_,BIconPlayBtn:()=>I_,BIconPlayBtnFill:()=>M_,BIconPlayCircle:()=>w_,BIconPlayCircleFill:()=>B_,BIconPlayFill:()=>k_,BIconPlug:()=>T_,BIconPlugFill:()=>P_,BIconPlus:()=>E_,BIconPlusCircle:()=>x_,BIconPlusCircleDotted:()=>O_,BIconPlusCircleFill:()=>S_,BIconPlusLg:()=>A_,BIconPlusSquare:()=>L_,BIconPlusSquareDotted:()=>C_,BIconPlusSquareFill:()=>z_,BIconPower:()=>D_,BIconPrinter:()=>F_,BIconPrinterFill:()=>R_,BIconPuzzle:()=>N_,BIconPuzzleFill:()=>H_,BIconQuestion:()=>V_,BIconQuestionCircle:()=>Y_,BIconQuestionCircleFill:()=>j_,BIconQuestionDiamond:()=>U_,BIconQuestionDiamondFill:()=>$_,BIconQuestionLg:()=>W_,BIconQuestionOctagon:()=>G_,BIconQuestionOctagonFill:()=>q_,BIconQuestionSquare:()=>X_,BIconQuestionSquareFill:()=>K_,BIconRainbow:()=>J_,BIconReceipt:()=>Z_,BIconReceiptCutoff:()=>Q_,BIconReception0:()=>eb,BIconReception1:()=>tb,BIconReception2:()=>nb,BIconReception3:()=>ab,BIconReception4:()=>rb,BIconRecord:()=>ob,BIconRecord2:()=>ib,BIconRecord2Fill:()=>sb,BIconRecordBtn:()=>lb,BIconRecordBtnFill:()=>cb,BIconRecordCircle:()=>ub,BIconRecordCircleFill:()=>db,BIconRecordFill:()=>hb,BIconRecycle:()=>fb,BIconReddit:()=>pb,BIconReply:()=>mb,BIconReplyAll:()=>vb,BIconReplyAllFill:()=>gb,BIconReplyFill:()=>_b,BIconRss:()=>bb,BIconRssFill:()=>yb,BIconRulers:()=>Ib,BIconSafe:()=>Mb,BIconSafe2:()=>wb,BIconSafe2Fill:()=>Bb,BIconSafeFill:()=>kb,BIconSave:()=>Tb,BIconSave2:()=>Pb,BIconSave2Fill:()=>Eb,BIconSaveFill:()=>xb,BIconScissors:()=>Ob,BIconScrewdriver:()=>Sb,BIconSdCard:()=>Ab,BIconSdCardFill:()=>Lb,BIconSearch:()=>Cb,BIconSegmentedNav:()=>zb,BIconServer:()=>Db,BIconShare:()=>Fb,BIconShareFill:()=>Rb,BIconShield:()=>Nb,BIconShieldCheck:()=>Hb,BIconShieldExclamation:()=>Vb,BIconShieldFill:()=>Yb,BIconShieldFillCheck:()=>jb,BIconShieldFillExclamation:()=>Ub,BIconShieldFillMinus:()=>$b,BIconShieldFillPlus:()=>Wb,BIconShieldFillX:()=>Gb,BIconShieldLock:()=>qb,BIconShieldLockFill:()=>Xb,BIconShieldMinus:()=>Kb,BIconShieldPlus:()=>Jb,BIconShieldShaded:()=>Zb,BIconShieldSlash:()=>Qb,BIconShieldSlashFill:()=>ey,BIconShieldX:()=>ty,BIconShift:()=>ny,BIconShiftFill:()=>ay,BIconShop:()=>ry,BIconShopWindow:()=>oy,BIconShuffle:()=>iy,BIconSignpost:()=>sy,BIconSignpost2:()=>ly,BIconSignpost2Fill:()=>cy,BIconSignpostFill:()=>uy,BIconSignpostSplit:()=>dy,BIconSignpostSplitFill:()=>hy,BIconSim:()=>fy,BIconSimFill:()=>py,BIconSkipBackward:()=>my,BIconSkipBackwardBtn:()=>vy,BIconSkipBackwardBtnFill:()=>gy,BIconSkipBackwardCircle:()=>_y,BIconSkipBackwardCircleFill:()=>by,BIconSkipBackwardFill:()=>yy,BIconSkipEnd:()=>Iy,BIconSkipEndBtn:()=>My,BIconSkipEndBtnFill:()=>wy,BIconSkipEndCircle:()=>By,BIconSkipEndCircleFill:()=>ky,BIconSkipEndFill:()=>Ty,BIconSkipForward:()=>Py,BIconSkipForwardBtn:()=>Ey,BIconSkipForwardBtnFill:()=>xy,BIconSkipForwardCircle:()=>Oy,BIconSkipForwardCircleFill:()=>Sy,BIconSkipForwardFill:()=>Ay,BIconSkipStart:()=>Ly,BIconSkipStartBtn:()=>Cy,BIconSkipStartBtnFill:()=>zy,BIconSkipStartCircle:()=>Dy,BIconSkipStartCircleFill:()=>Fy,BIconSkipStartFill:()=>Ry,BIconSkype:()=>Ny,BIconSlack:()=>Hy,BIconSlash:()=>Vy,BIconSlashCircle:()=>Yy,BIconSlashCircleFill:()=>jy,BIconSlashLg:()=>Uy,BIconSlashSquare:()=>$y,BIconSlashSquareFill:()=>Wy,BIconSliders:()=>Gy,BIconSmartwatch:()=>qy,BIconSnow:()=>Xy,BIconSnow2:()=>Ky,BIconSnow3:()=>Jy,BIconSortAlphaDown:()=>Zy,BIconSortAlphaDownAlt:()=>Qy,BIconSortAlphaUp:()=>eI,BIconSortAlphaUpAlt:()=>tI,BIconSortDown:()=>nI,BIconSortDownAlt:()=>aI,BIconSortNumericDown:()=>rI,BIconSortNumericDownAlt:()=>oI,BIconSortNumericUp:()=>iI,BIconSortNumericUpAlt:()=>sI,BIconSortUp:()=>lI,BIconSortUpAlt:()=>cI,BIconSoundwave:()=>uI,BIconSpeaker:()=>dI,BIconSpeakerFill:()=>hI,BIconSpeedometer:()=>fI,BIconSpeedometer2:()=>pI,BIconSpellcheck:()=>mI,BIconSquare:()=>vI,BIconSquareFill:()=>gI,BIconSquareHalf:()=>_I,BIconStack:()=>bI,BIconStar:()=>yI,BIconStarFill:()=>II,BIconStarHalf:()=>MI,BIconStars:()=>wI,BIconStickies:()=>BI,BIconStickiesFill:()=>kI,BIconSticky:()=>TI,BIconStickyFill:()=>PI,BIconStop:()=>EI,BIconStopBtn:()=>xI,BIconStopBtnFill:()=>OI,BIconStopCircle:()=>SI,BIconStopCircleFill:()=>AI,BIconStopFill:()=>LI,BIconStoplights:()=>CI,BIconStoplightsFill:()=>zI,BIconStopwatch:()=>DI,BIconStopwatchFill:()=>FI,BIconSubtract:()=>RI,BIconSuitClub:()=>NI,BIconSuitClubFill:()=>HI,BIconSuitDiamond:()=>VI,BIconSuitDiamondFill:()=>YI,BIconSuitHeart:()=>jI,BIconSuitHeartFill:()=>UI,BIconSuitSpade:()=>$I,BIconSuitSpadeFill:()=>WI,BIconSun:()=>GI,BIconSunFill:()=>qI,BIconSunglasses:()=>XI,BIconSunrise:()=>KI,BIconSunriseFill:()=>JI,BIconSunset:()=>ZI,BIconSunsetFill:()=>QI,BIconSymmetryHorizontal:()=>eM,BIconSymmetryVertical:()=>tM,BIconTable:()=>nM,BIconTablet:()=>aM,BIconTabletFill:()=>rM,BIconTabletLandscape:()=>oM,BIconTabletLandscapeFill:()=>iM,BIconTag:()=>sM,BIconTagFill:()=>lM,BIconTags:()=>cM,BIconTagsFill:()=>uM,BIconTelegram:()=>dM,BIconTelephone:()=>hM,BIconTelephoneFill:()=>fM,BIconTelephoneForward:()=>pM,BIconTelephoneForwardFill:()=>mM,BIconTelephoneInbound:()=>vM,BIconTelephoneInboundFill:()=>gM,BIconTelephoneMinus:()=>_M,BIconTelephoneMinusFill:()=>bM,BIconTelephoneOutbound:()=>yM,BIconTelephoneOutboundFill:()=>IM,BIconTelephonePlus:()=>MM,BIconTelephonePlusFill:()=>wM,BIconTelephoneX:()=>BM,BIconTelephoneXFill:()=>kM,BIconTerminal:()=>TM,BIconTerminalFill:()=>PM,BIconTextCenter:()=>EM,BIconTextIndentLeft:()=>xM,BIconTextIndentRight:()=>OM,BIconTextLeft:()=>SM,BIconTextParagraph:()=>AM,BIconTextRight:()=>LM,BIconTextarea:()=>CM,BIconTextareaResize:()=>zM,BIconTextareaT:()=>DM,BIconThermometer:()=>FM,BIconThermometerHalf:()=>RM,BIconThermometerHigh:()=>NM,BIconThermometerLow:()=>HM,BIconThermometerSnow:()=>VM,BIconThermometerSun:()=>YM,BIconThreeDots:()=>jM,BIconThreeDotsVertical:()=>UM,BIconToggle2Off:()=>$M,BIconToggle2On:()=>WM,BIconToggleOff:()=>GM,BIconToggleOn:()=>qM,BIconToggles:()=>XM,BIconToggles2:()=>KM,BIconTools:()=>JM,BIconTornado:()=>ZM,BIconTranslate:()=>QM,BIconTrash:()=>ew,BIconTrash2:()=>tw,BIconTrash2Fill:()=>nw,BIconTrashFill:()=>aw,BIconTree:()=>rw,BIconTreeFill:()=>ow,BIconTriangle:()=>iw,BIconTriangleFill:()=>sw,BIconTriangleHalf:()=>lw,BIconTrophy:()=>cw,BIconTrophyFill:()=>uw,BIconTropicalStorm:()=>dw,BIconTruck:()=>hw,BIconTruckFlatbed:()=>fw,BIconTsunami:()=>pw,BIconTv:()=>mw,BIconTvFill:()=>vw,BIconTwitch:()=>gw,BIconTwitter:()=>_w,BIconType:()=>bw,BIconTypeBold:()=>yw,BIconTypeH1:()=>Iw,BIconTypeH2:()=>Mw,BIconTypeH3:()=>ww,BIconTypeItalic:()=>Bw,BIconTypeStrikethrough:()=>kw,BIconTypeUnderline:()=>Tw,BIconUiChecks:()=>Pw,BIconUiChecksGrid:()=>Ew,BIconUiRadios:()=>xw,BIconUiRadiosGrid:()=>Ow,BIconUmbrella:()=>Sw,BIconUmbrellaFill:()=>Aw,BIconUnion:()=>Lw,BIconUnlock:()=>Cw,BIconUnlockFill:()=>zw,BIconUpc:()=>Dw,BIconUpcScan:()=>Fw,BIconUpload:()=>Rw,BIconVectorPen:()=>Nw,BIconViewList:()=>Hw,BIconViewStacked:()=>Vw,BIconVinyl:()=>Yw,BIconVinylFill:()=>jw,BIconVoicemail:()=>Uw,BIconVolumeDown:()=>$w,BIconVolumeDownFill:()=>Ww,BIconVolumeMute:()=>Gw,BIconVolumeMuteFill:()=>qw,BIconVolumeOff:()=>Xw,BIconVolumeOffFill:()=>Kw,BIconVolumeUp:()=>Jw,BIconVolumeUpFill:()=>Zw,BIconVr:()=>Qw,BIconWallet:()=>eB,BIconWallet2:()=>tB,BIconWalletFill:()=>nB,BIconWatch:()=>aB,BIconWater:()=>rB,BIconWhatsapp:()=>oB,BIconWifi:()=>iB,BIconWifi1:()=>sB,BIconWifi2:()=>lB,BIconWifiOff:()=>cB,BIconWind:()=>uB,BIconWindow:()=>dB,BIconWindowDock:()=>hB,BIconWindowSidebar:()=>fB,BIconWrench:()=>pB,BIconX:()=>mB,BIconXCircle:()=>vB,BIconXCircleFill:()=>gB,BIconXDiamond:()=>_B,BIconXDiamondFill:()=>bB,BIconXLg:()=>yB,BIconXOctagon:()=>IB,BIconXOctagonFill:()=>MB,BIconXSquare:()=>wB,BIconXSquareFill:()=>BB,BIconYoutube:()=>kB,BIconZoomIn:()=>TB,BIconZoomOut:()=>PB});var a=n(99354),r=(0,a.makeIcon)("Blank",""),o=(0,a.makeIcon)("Alarm",''),i=(0,a.makeIcon)("AlarmFill",''),s=(0,a.makeIcon)("AlignBottom",''),l=(0,a.makeIcon)("AlignCenter",''),c=(0,a.makeIcon)("AlignEnd",''),u=(0,a.makeIcon)("AlignMiddle",''),d=(0,a.makeIcon)("AlignStart",''),h=(0,a.makeIcon)("AlignTop",''),f=(0,a.makeIcon)("Alt",''),p=(0,a.makeIcon)("App",''),m=(0,a.makeIcon)("AppIndicator",''),v=(0,a.makeIcon)("Archive",''),g=(0,a.makeIcon)("ArchiveFill",''),_=(0,a.makeIcon)("Arrow90degDown",''),b=(0,a.makeIcon)("Arrow90degLeft",''),y=(0,a.makeIcon)("Arrow90degRight",''),I=(0,a.makeIcon)("Arrow90degUp",''),M=(0,a.makeIcon)("ArrowBarDown",''),w=(0,a.makeIcon)("ArrowBarLeft",''),B=(0,a.makeIcon)("ArrowBarRight",''),k=(0,a.makeIcon)("ArrowBarUp",''),T=(0,a.makeIcon)("ArrowClockwise",''),P=(0,a.makeIcon)("ArrowCounterclockwise",''),E=(0,a.makeIcon)("ArrowDown",''),x=(0,a.makeIcon)("ArrowDownCircle",''),O=(0,a.makeIcon)("ArrowDownCircleFill",''),S=(0,a.makeIcon)("ArrowDownLeft",''),A=(0,a.makeIcon)("ArrowDownLeftCircle",''),L=(0,a.makeIcon)("ArrowDownLeftCircleFill",''),C=(0,a.makeIcon)("ArrowDownLeftSquare",''),z=(0,a.makeIcon)("ArrowDownLeftSquareFill",''),D=(0,a.makeIcon)("ArrowDownRight",''),F=(0,a.makeIcon)("ArrowDownRightCircle",''),R=(0,a.makeIcon)("ArrowDownRightCircleFill",''),N=(0,a.makeIcon)("ArrowDownRightSquare",''),H=(0,a.makeIcon)("ArrowDownRightSquareFill",''),V=(0,a.makeIcon)("ArrowDownShort",''),Y=(0,a.makeIcon)("ArrowDownSquare",''),j=(0,a.makeIcon)("ArrowDownSquareFill",''),U=(0,a.makeIcon)("ArrowDownUp",''),$=(0,a.makeIcon)("ArrowLeft",''),W=(0,a.makeIcon)("ArrowLeftCircle",''),G=(0,a.makeIcon)("ArrowLeftCircleFill",''),q=(0,a.makeIcon)("ArrowLeftRight",''),X=(0,a.makeIcon)("ArrowLeftShort",''),K=(0,a.makeIcon)("ArrowLeftSquare",''),J=(0,a.makeIcon)("ArrowLeftSquareFill",''),Z=(0,a.makeIcon)("ArrowRepeat",''),Q=(0,a.makeIcon)("ArrowReturnLeft",''),ee=(0,a.makeIcon)("ArrowReturnRight",''),te=(0,a.makeIcon)("ArrowRight",''),ne=(0,a.makeIcon)("ArrowRightCircle",''),ae=(0,a.makeIcon)("ArrowRightCircleFill",''),re=(0,a.makeIcon)("ArrowRightShort",''),oe=(0,a.makeIcon)("ArrowRightSquare",''),ie=(0,a.makeIcon)("ArrowRightSquareFill",''),se=(0,a.makeIcon)("ArrowUp",''),le=(0,a.makeIcon)("ArrowUpCircle",''),ce=(0,a.makeIcon)("ArrowUpCircleFill",''),ue=(0,a.makeIcon)("ArrowUpLeft",''),de=(0,a.makeIcon)("ArrowUpLeftCircle",''),he=(0,a.makeIcon)("ArrowUpLeftCircleFill",''),fe=(0,a.makeIcon)("ArrowUpLeftSquare",''),pe=(0,a.makeIcon)("ArrowUpLeftSquareFill",''),me=(0,a.makeIcon)("ArrowUpRight",''),ve=(0,a.makeIcon)("ArrowUpRightCircle",''),ge=(0,a.makeIcon)("ArrowUpRightCircleFill",''),_e=(0,a.makeIcon)("ArrowUpRightSquare",''),be=(0,a.makeIcon)("ArrowUpRightSquareFill",''),ye=(0,a.makeIcon)("ArrowUpShort",''),Ie=(0,a.makeIcon)("ArrowUpSquare",''),Me=(0,a.makeIcon)("ArrowUpSquareFill",''),we=(0,a.makeIcon)("ArrowsAngleContract",''),Be=(0,a.makeIcon)("ArrowsAngleExpand",''),ke=(0,a.makeIcon)("ArrowsCollapse",''),Te=(0,a.makeIcon)("ArrowsExpand",''),Pe=(0,a.makeIcon)("ArrowsFullscreen",''),Ee=(0,a.makeIcon)("ArrowsMove",''),xe=(0,a.makeIcon)("AspectRatio",''),Oe=(0,a.makeIcon)("AspectRatioFill",''),Se=(0,a.makeIcon)("Asterisk",''),Ae=(0,a.makeIcon)("At",''),Le=(0,a.makeIcon)("Award",''),Ce=(0,a.makeIcon)("AwardFill",''),ze=(0,a.makeIcon)("Back",''),De=(0,a.makeIcon)("Backspace",''),Fe=(0,a.makeIcon)("BackspaceFill",''),Re=(0,a.makeIcon)("BackspaceReverse",''),Ne=(0,a.makeIcon)("BackspaceReverseFill",''),He=(0,a.makeIcon)("Badge3d",''),Ve=(0,a.makeIcon)("Badge3dFill",''),Ye=(0,a.makeIcon)("Badge4k",''),je=(0,a.makeIcon)("Badge4kFill",''),Ue=(0,a.makeIcon)("Badge8k",''),$e=(0,a.makeIcon)("Badge8kFill",''),We=(0,a.makeIcon)("BadgeAd",''),Ge=(0,a.makeIcon)("BadgeAdFill",''),qe=(0,a.makeIcon)("BadgeAr",''),Xe=(0,a.makeIcon)("BadgeArFill",''),Ke=(0,a.makeIcon)("BadgeCc",''),Je=(0,a.makeIcon)("BadgeCcFill",''),Ze=(0,a.makeIcon)("BadgeHd",''),Qe=(0,a.makeIcon)("BadgeHdFill",''),et=(0,a.makeIcon)("BadgeTm",''),tt=(0,a.makeIcon)("BadgeTmFill",''),nt=(0,a.makeIcon)("BadgeVo",''),at=(0,a.makeIcon)("BadgeVoFill",''),rt=(0,a.makeIcon)("BadgeVr",''),ot=(0,a.makeIcon)("BadgeVrFill",''),it=(0,a.makeIcon)("BadgeWc",''),st=(0,a.makeIcon)("BadgeWcFill",''),lt=(0,a.makeIcon)("Bag",''),ct=(0,a.makeIcon)("BagCheck",''),ut=(0,a.makeIcon)("BagCheckFill",''),dt=(0,a.makeIcon)("BagDash",''),ht=(0,a.makeIcon)("BagDashFill",''),ft=(0,a.makeIcon)("BagFill",''),pt=(0,a.makeIcon)("BagPlus",''),mt=(0,a.makeIcon)("BagPlusFill",''),vt=(0,a.makeIcon)("BagX",''),gt=(0,a.makeIcon)("BagXFill",''),_t=(0,a.makeIcon)("Bank",''),bt=(0,a.makeIcon)("Bank2",''),yt=(0,a.makeIcon)("BarChart",''),It=(0,a.makeIcon)("BarChartFill",''),Mt=(0,a.makeIcon)("BarChartLine",''),wt=(0,a.makeIcon)("BarChartLineFill",''),Bt=(0,a.makeIcon)("BarChartSteps",''),kt=(0,a.makeIcon)("Basket",''),Tt=(0,a.makeIcon)("Basket2",''),Pt=(0,a.makeIcon)("Basket2Fill",''),Et=(0,a.makeIcon)("Basket3",''),xt=(0,a.makeIcon)("Basket3Fill",''),Ot=(0,a.makeIcon)("BasketFill",''),St=(0,a.makeIcon)("Battery",''),At=(0,a.makeIcon)("BatteryCharging",''),Lt=(0,a.makeIcon)("BatteryFull",''),Ct=(0,a.makeIcon)("BatteryHalf",''),zt=(0,a.makeIcon)("Bell",''),Dt=(0,a.makeIcon)("BellFill",''),Ft=(0,a.makeIcon)("BellSlash",''),Rt=(0,a.makeIcon)("BellSlashFill",''),Nt=(0,a.makeIcon)("Bezier",''),Ht=(0,a.makeIcon)("Bezier2",''),Vt=(0,a.makeIcon)("Bicycle",''),Yt=(0,a.makeIcon)("Binoculars",''),jt=(0,a.makeIcon)("BinocularsFill",''),Ut=(0,a.makeIcon)("BlockquoteLeft",''),$t=(0,a.makeIcon)("BlockquoteRight",''),Wt=(0,a.makeIcon)("Book",''),Gt=(0,a.makeIcon)("BookFill",''),qt=(0,a.makeIcon)("BookHalf",''),Xt=(0,a.makeIcon)("Bookmark",''),Kt=(0,a.makeIcon)("BookmarkCheck",''),Jt=(0,a.makeIcon)("BookmarkCheckFill",''),Zt=(0,a.makeIcon)("BookmarkDash",''),Qt=(0,a.makeIcon)("BookmarkDashFill",''),en=(0,a.makeIcon)("BookmarkFill",''),tn=(0,a.makeIcon)("BookmarkHeart",''),nn=(0,a.makeIcon)("BookmarkHeartFill",''),an=(0,a.makeIcon)("BookmarkPlus",''),rn=(0,a.makeIcon)("BookmarkPlusFill",''),on=(0,a.makeIcon)("BookmarkStar",''),sn=(0,a.makeIcon)("BookmarkStarFill",''),ln=(0,a.makeIcon)("BookmarkX",''),cn=(0,a.makeIcon)("BookmarkXFill",''),un=(0,a.makeIcon)("Bookmarks",''),dn=(0,a.makeIcon)("BookmarksFill",''),hn=(0,a.makeIcon)("Bookshelf",''),fn=(0,a.makeIcon)("Bootstrap",''),pn=(0,a.makeIcon)("BootstrapFill",''),mn=(0,a.makeIcon)("BootstrapReboot",''),vn=(0,a.makeIcon)("Border",''),gn=(0,a.makeIcon)("BorderAll",''),_n=(0,a.makeIcon)("BorderBottom",''),bn=(0,a.makeIcon)("BorderCenter",''),yn=(0,a.makeIcon)("BorderInner",''),In=(0,a.makeIcon)("BorderLeft",''),Mn=(0,a.makeIcon)("BorderMiddle",''),wn=(0,a.makeIcon)("BorderOuter",''),Bn=(0,a.makeIcon)("BorderRight",''),kn=(0,a.makeIcon)("BorderStyle",''),Tn=(0,a.makeIcon)("BorderTop",''),Pn=(0,a.makeIcon)("BorderWidth",''),En=(0,a.makeIcon)("BoundingBox",''),xn=(0,a.makeIcon)("BoundingBoxCircles",''),On=(0,a.makeIcon)("Box",''),Sn=(0,a.makeIcon)("BoxArrowDown",''),An=(0,a.makeIcon)("BoxArrowDownLeft",''),Ln=(0,a.makeIcon)("BoxArrowDownRight",''),Cn=(0,a.makeIcon)("BoxArrowInDown",''),zn=(0,a.makeIcon)("BoxArrowInDownLeft",''),Dn=(0,a.makeIcon)("BoxArrowInDownRight",''),Fn=(0,a.makeIcon)("BoxArrowInLeft",''),Rn=(0,a.makeIcon)("BoxArrowInRight",''),Nn=(0,a.makeIcon)("BoxArrowInUp",''),Hn=(0,a.makeIcon)("BoxArrowInUpLeft",''),Vn=(0,a.makeIcon)("BoxArrowInUpRight",''),Yn=(0,a.makeIcon)("BoxArrowLeft",''),jn=(0,a.makeIcon)("BoxArrowRight",''),Un=(0,a.makeIcon)("BoxArrowUp",''),$n=(0,a.makeIcon)("BoxArrowUpLeft",''),Wn=(0,a.makeIcon)("BoxArrowUpRight",''),Gn=(0,a.makeIcon)("BoxSeam",''),qn=(0,a.makeIcon)("Braces",''),Xn=(0,a.makeIcon)("Bricks",''),Kn=(0,a.makeIcon)("Briefcase",''),Jn=(0,a.makeIcon)("BriefcaseFill",''),Zn=(0,a.makeIcon)("BrightnessAltHigh",''),Qn=(0,a.makeIcon)("BrightnessAltHighFill",''),ea=(0,a.makeIcon)("BrightnessAltLow",''),ta=(0,a.makeIcon)("BrightnessAltLowFill",''),na=(0,a.makeIcon)("BrightnessHigh",''),aa=(0,a.makeIcon)("BrightnessHighFill",''),ra=(0,a.makeIcon)("BrightnessLow",''),oa=(0,a.makeIcon)("BrightnessLowFill",''),ia=(0,a.makeIcon)("Broadcast",''),sa=(0,a.makeIcon)("BroadcastPin",''),la=(0,a.makeIcon)("Brush",''),ca=(0,a.makeIcon)("BrushFill",''),ua=(0,a.makeIcon)("Bucket",''),da=(0,a.makeIcon)("BucketFill",''),ha=(0,a.makeIcon)("Bug",''),fa=(0,a.makeIcon)("BugFill",''),pa=(0,a.makeIcon)("Building",''),ma=(0,a.makeIcon)("Bullseye",''),va=(0,a.makeIcon)("Calculator",''),ga=(0,a.makeIcon)("CalculatorFill",''),_a=(0,a.makeIcon)("Calendar",''),ba=(0,a.makeIcon)("Calendar2",''),ya=(0,a.makeIcon)("Calendar2Check",''),Ia=(0,a.makeIcon)("Calendar2CheckFill",''),Ma=(0,a.makeIcon)("Calendar2Date",''),wa=(0,a.makeIcon)("Calendar2DateFill",''),Ba=(0,a.makeIcon)("Calendar2Day",''),ka=(0,a.makeIcon)("Calendar2DayFill",''),Ta=(0,a.makeIcon)("Calendar2Event",''),Pa=(0,a.makeIcon)("Calendar2EventFill",''),Ea=(0,a.makeIcon)("Calendar2Fill",''),xa=(0,a.makeIcon)("Calendar2Minus",''),Oa=(0,a.makeIcon)("Calendar2MinusFill",''),Sa=(0,a.makeIcon)("Calendar2Month",''),Aa=(0,a.makeIcon)("Calendar2MonthFill",''),La=(0,a.makeIcon)("Calendar2Plus",''),Ca=(0,a.makeIcon)("Calendar2PlusFill",''),za=(0,a.makeIcon)("Calendar2Range",''),Da=(0,a.makeIcon)("Calendar2RangeFill",''),Fa=(0,a.makeIcon)("Calendar2Week",''),Ra=(0,a.makeIcon)("Calendar2WeekFill",''),Na=(0,a.makeIcon)("Calendar2X",''),Ha=(0,a.makeIcon)("Calendar2XFill",''),Va=(0,a.makeIcon)("Calendar3",''),Ya=(0,a.makeIcon)("Calendar3Event",''),ja=(0,a.makeIcon)("Calendar3EventFill",''),Ua=(0,a.makeIcon)("Calendar3Fill",''),$a=(0,a.makeIcon)("Calendar3Range",''),Wa=(0,a.makeIcon)("Calendar3RangeFill",''),Ga=(0,a.makeIcon)("Calendar3Week",''),qa=(0,a.makeIcon)("Calendar3WeekFill",''),Xa=(0,a.makeIcon)("Calendar4",''),Ka=(0,a.makeIcon)("Calendar4Event",''),Ja=(0,a.makeIcon)("Calendar4Range",''),Za=(0,a.makeIcon)("Calendar4Week",''),Qa=(0,a.makeIcon)("CalendarCheck",''),er=(0,a.makeIcon)("CalendarCheckFill",''),tr=(0,a.makeIcon)("CalendarDate",''),nr=(0,a.makeIcon)("CalendarDateFill",''),ar=(0,a.makeIcon)("CalendarDay",''),rr=(0,a.makeIcon)("CalendarDayFill",''),or=(0,a.makeIcon)("CalendarEvent",''),ir=(0,a.makeIcon)("CalendarEventFill",''),sr=(0,a.makeIcon)("CalendarFill",''),lr=(0,a.makeIcon)("CalendarMinus",''),cr=(0,a.makeIcon)("CalendarMinusFill",''),ur=(0,a.makeIcon)("CalendarMonth",''),dr=(0,a.makeIcon)("CalendarMonthFill",''),hr=(0,a.makeIcon)("CalendarPlus",''),fr=(0,a.makeIcon)("CalendarPlusFill",''),pr=(0,a.makeIcon)("CalendarRange",''),mr=(0,a.makeIcon)("CalendarRangeFill",''),vr=(0,a.makeIcon)("CalendarWeek",''),gr=(0,a.makeIcon)("CalendarWeekFill",''),_r=(0,a.makeIcon)("CalendarX",''),br=(0,a.makeIcon)("CalendarXFill",''),yr=(0,a.makeIcon)("Camera",''),Ir=(0,a.makeIcon)("Camera2",''),Mr=(0,a.makeIcon)("CameraFill",''),wr=(0,a.makeIcon)("CameraReels",''),Br=(0,a.makeIcon)("CameraReelsFill",''),kr=(0,a.makeIcon)("CameraVideo",''),Tr=(0,a.makeIcon)("CameraVideoFill",''),Pr=(0,a.makeIcon)("CameraVideoOff",''),Er=(0,a.makeIcon)("CameraVideoOffFill",''),xr=(0,a.makeIcon)("Capslock",''),Or=(0,a.makeIcon)("CapslockFill",''),Sr=(0,a.makeIcon)("CardChecklist",''),Ar=(0,a.makeIcon)("CardHeading",''),Lr=(0,a.makeIcon)("CardImage",''),Cr=(0,a.makeIcon)("CardList",''),zr=(0,a.makeIcon)("CardText",''),Dr=(0,a.makeIcon)("CaretDown",''),Fr=(0,a.makeIcon)("CaretDownFill",''),Rr=(0,a.makeIcon)("CaretDownSquare",''),Nr=(0,a.makeIcon)("CaretDownSquareFill",''),Hr=(0,a.makeIcon)("CaretLeft",''),Vr=(0,a.makeIcon)("CaretLeftFill",''),Yr=(0,a.makeIcon)("CaretLeftSquare",''),jr=(0,a.makeIcon)("CaretLeftSquareFill",''),Ur=(0,a.makeIcon)("CaretRight",''),$r=(0,a.makeIcon)("CaretRightFill",''),Wr=(0,a.makeIcon)("CaretRightSquare",''),Gr=(0,a.makeIcon)("CaretRightSquareFill",''),qr=(0,a.makeIcon)("CaretUp",''),Xr=(0,a.makeIcon)("CaretUpFill",''),Kr=(0,a.makeIcon)("CaretUpSquare",''),Jr=(0,a.makeIcon)("CaretUpSquareFill",''),Zr=(0,a.makeIcon)("Cart",''),Qr=(0,a.makeIcon)("Cart2",''),eo=(0,a.makeIcon)("Cart3",''),to=(0,a.makeIcon)("Cart4",''),no=(0,a.makeIcon)("CartCheck",''),ao=(0,a.makeIcon)("CartCheckFill",''),ro=(0,a.makeIcon)("CartDash",''),oo=(0,a.makeIcon)("CartDashFill",''),io=(0,a.makeIcon)("CartFill",''),so=(0,a.makeIcon)("CartPlus",''),lo=(0,a.makeIcon)("CartPlusFill",''),co=(0,a.makeIcon)("CartX",''),uo=(0,a.makeIcon)("CartXFill",''),ho=(0,a.makeIcon)("Cash",''),fo=(0,a.makeIcon)("CashCoin",''),po=(0,a.makeIcon)("CashStack",''),mo=(0,a.makeIcon)("Cast",''),vo=(0,a.makeIcon)("Chat",''),go=(0,a.makeIcon)("ChatDots",''),_o=(0,a.makeIcon)("ChatDotsFill",''),bo=(0,a.makeIcon)("ChatFill",''),yo=(0,a.makeIcon)("ChatLeft",''),Io=(0,a.makeIcon)("ChatLeftDots",''),Mo=(0,a.makeIcon)("ChatLeftDotsFill",''),wo=(0,a.makeIcon)("ChatLeftFill",''),Bo=(0,a.makeIcon)("ChatLeftQuote",''),ko=(0,a.makeIcon)("ChatLeftQuoteFill",''),To=(0,a.makeIcon)("ChatLeftText",''),Po=(0,a.makeIcon)("ChatLeftTextFill",''),Eo=(0,a.makeIcon)("ChatQuote",''),xo=(0,a.makeIcon)("ChatQuoteFill",''),Oo=(0,a.makeIcon)("ChatRight",''),So=(0,a.makeIcon)("ChatRightDots",''),Ao=(0,a.makeIcon)("ChatRightDotsFill",''),Lo=(0,a.makeIcon)("ChatRightFill",''),Co=(0,a.makeIcon)("ChatRightQuote",''),zo=(0,a.makeIcon)("ChatRightQuoteFill",''),Do=(0,a.makeIcon)("ChatRightText",''),Fo=(0,a.makeIcon)("ChatRightTextFill",''),Ro=(0,a.makeIcon)("ChatSquare",''),No=(0,a.makeIcon)("ChatSquareDots",''),Ho=(0,a.makeIcon)("ChatSquareDotsFill",''),Vo=(0,a.makeIcon)("ChatSquareFill",''),Yo=(0,a.makeIcon)("ChatSquareQuote",''),jo=(0,a.makeIcon)("ChatSquareQuoteFill",''),Uo=(0,a.makeIcon)("ChatSquareText",''),$o=(0,a.makeIcon)("ChatSquareTextFill",''),Wo=(0,a.makeIcon)("ChatText",''),Go=(0,a.makeIcon)("ChatTextFill",''),qo=(0,a.makeIcon)("Check",''),Xo=(0,a.makeIcon)("Check2",''),Ko=(0,a.makeIcon)("Check2All",''),Jo=(0,a.makeIcon)("Check2Circle",''),Zo=(0,a.makeIcon)("Check2Square",''),Qo=(0,a.makeIcon)("CheckAll",''),ei=(0,a.makeIcon)("CheckCircle",''),ti=(0,a.makeIcon)("CheckCircleFill",''),ni=(0,a.makeIcon)("CheckLg",''),ai=(0,a.makeIcon)("CheckSquare",''),ri=(0,a.makeIcon)("CheckSquareFill",''),oi=(0,a.makeIcon)("ChevronBarContract",''),ii=(0,a.makeIcon)("ChevronBarDown",''),si=(0,a.makeIcon)("ChevronBarExpand",''),li=(0,a.makeIcon)("ChevronBarLeft",''),ci=(0,a.makeIcon)("ChevronBarRight",''),ui=(0,a.makeIcon)("ChevronBarUp",''),di=(0,a.makeIcon)("ChevronCompactDown",''),hi=(0,a.makeIcon)("ChevronCompactLeft",''),fi=(0,a.makeIcon)("ChevronCompactRight",''),pi=(0,a.makeIcon)("ChevronCompactUp",''),mi=(0,a.makeIcon)("ChevronContract",''),vi=(0,a.makeIcon)("ChevronDoubleDown",''),gi=(0,a.makeIcon)("ChevronDoubleLeft",''),_i=(0,a.makeIcon)("ChevronDoubleRight",''),bi=(0,a.makeIcon)("ChevronDoubleUp",''),yi=(0,a.makeIcon)("ChevronDown",''),Ii=(0,a.makeIcon)("ChevronExpand",''),Mi=(0,a.makeIcon)("ChevronLeft",''),wi=(0,a.makeIcon)("ChevronRight",''),Bi=(0,a.makeIcon)("ChevronUp",''),ki=(0,a.makeIcon)("Circle",''),Ti=(0,a.makeIcon)("CircleFill",''),Pi=(0,a.makeIcon)("CircleHalf",''),Ei=(0,a.makeIcon)("CircleSquare",''),xi=(0,a.makeIcon)("Clipboard",''),Oi=(0,a.makeIcon)("ClipboardCheck",''),Si=(0,a.makeIcon)("ClipboardData",''),Ai=(0,a.makeIcon)("ClipboardMinus",''),Li=(0,a.makeIcon)("ClipboardPlus",''),Ci=(0,a.makeIcon)("ClipboardX",''),zi=(0,a.makeIcon)("Clock",''),Di=(0,a.makeIcon)("ClockFill",''),Fi=(0,a.makeIcon)("ClockHistory",''),Ri=(0,a.makeIcon)("Cloud",''),Ni=(0,a.makeIcon)("CloudArrowDown",''),Hi=(0,a.makeIcon)("CloudArrowDownFill",''),Vi=(0,a.makeIcon)("CloudArrowUp",''),Yi=(0,a.makeIcon)("CloudArrowUpFill",''),ji=(0,a.makeIcon)("CloudCheck",''),Ui=(0,a.makeIcon)("CloudCheckFill",''),$i=(0,a.makeIcon)("CloudDownload",''),Wi=(0,a.makeIcon)("CloudDownloadFill",''),Gi=(0,a.makeIcon)("CloudDrizzle",''),qi=(0,a.makeIcon)("CloudDrizzleFill",''),Xi=(0,a.makeIcon)("CloudFill",''),Ki=(0,a.makeIcon)("CloudFog",''),Ji=(0,a.makeIcon)("CloudFog2",''),Zi=(0,a.makeIcon)("CloudFog2Fill",''),Qi=(0,a.makeIcon)("CloudFogFill",''),es=(0,a.makeIcon)("CloudHail",''),ts=(0,a.makeIcon)("CloudHailFill",''),ns=(0,a.makeIcon)("CloudHaze",''),as=(0,a.makeIcon)("CloudHaze1",''),rs=(0,a.makeIcon)("CloudHaze2Fill",''),os=(0,a.makeIcon)("CloudHazeFill",''),is=(0,a.makeIcon)("CloudLightning",''),ss=(0,a.makeIcon)("CloudLightningFill",''),ls=(0,a.makeIcon)("CloudLightningRain",''),cs=(0,a.makeIcon)("CloudLightningRainFill",''),us=(0,a.makeIcon)("CloudMinus",''),ds=(0,a.makeIcon)("CloudMinusFill",''),hs=(0,a.makeIcon)("CloudMoon",''),fs=(0,a.makeIcon)("CloudMoonFill",''),ps=(0,a.makeIcon)("CloudPlus",''),ms=(0,a.makeIcon)("CloudPlusFill",''),vs=(0,a.makeIcon)("CloudRain",''),gs=(0,a.makeIcon)("CloudRainFill",''),_s=(0,a.makeIcon)("CloudRainHeavy",''),bs=(0,a.makeIcon)("CloudRainHeavyFill",''),ys=(0,a.makeIcon)("CloudSlash",''),Is=(0,a.makeIcon)("CloudSlashFill",''),Ms=(0,a.makeIcon)("CloudSleet",''),ws=(0,a.makeIcon)("CloudSleetFill",''),Bs=(0,a.makeIcon)("CloudSnow",''),ks=(0,a.makeIcon)("CloudSnowFill",''),Ts=(0,a.makeIcon)("CloudSun",''),Ps=(0,a.makeIcon)("CloudSunFill",''),Es=(0,a.makeIcon)("CloudUpload",''),xs=(0,a.makeIcon)("CloudUploadFill",''),Os=(0,a.makeIcon)("Clouds",''),Ss=(0,a.makeIcon)("CloudsFill",''),As=(0,a.makeIcon)("Cloudy",''),Ls=(0,a.makeIcon)("CloudyFill",''),Cs=(0,a.makeIcon)("Code",''),zs=(0,a.makeIcon)("CodeSlash",''),Ds=(0,a.makeIcon)("CodeSquare",''),Fs=(0,a.makeIcon)("Coin",''),Rs=(0,a.makeIcon)("Collection",''),Ns=(0,a.makeIcon)("CollectionFill",''),Hs=(0,a.makeIcon)("CollectionPlay",''),Vs=(0,a.makeIcon)("CollectionPlayFill",''),Ys=(0,a.makeIcon)("Columns",''),js=(0,a.makeIcon)("ColumnsGap",''),Us=(0,a.makeIcon)("Command",''),$s=(0,a.makeIcon)("Compass",''),Ws=(0,a.makeIcon)("CompassFill",''),Gs=(0,a.makeIcon)("Cone",''),qs=(0,a.makeIcon)("ConeStriped",''),Xs=(0,a.makeIcon)("Controller",''),Ks=(0,a.makeIcon)("Cpu",''),Js=(0,a.makeIcon)("CpuFill",''),Zs=(0,a.makeIcon)("CreditCard",''),Qs=(0,a.makeIcon)("CreditCard2Back",''),el=(0,a.makeIcon)("CreditCard2BackFill",''),tl=(0,a.makeIcon)("CreditCard2Front",''),nl=(0,a.makeIcon)("CreditCard2FrontFill",''),al=(0,a.makeIcon)("CreditCardFill",''),rl=(0,a.makeIcon)("Crop",''),ol=(0,a.makeIcon)("Cup",''),il=(0,a.makeIcon)("CupFill",''),sl=(0,a.makeIcon)("CupStraw",''),ll=(0,a.makeIcon)("CurrencyBitcoin",''),cl=(0,a.makeIcon)("CurrencyDollar",''),ul=(0,a.makeIcon)("CurrencyEuro",''),dl=(0,a.makeIcon)("CurrencyExchange",''),hl=(0,a.makeIcon)("CurrencyPound",''),fl=(0,a.makeIcon)("CurrencyYen",''),pl=(0,a.makeIcon)("Cursor",''),ml=(0,a.makeIcon)("CursorFill",''),vl=(0,a.makeIcon)("CursorText",''),gl=(0,a.makeIcon)("Dash",''),_l=(0,a.makeIcon)("DashCircle",''),bl=(0,a.makeIcon)("DashCircleDotted",''),yl=(0,a.makeIcon)("DashCircleFill",''),Il=(0,a.makeIcon)("DashLg",''),Ml=(0,a.makeIcon)("DashSquare",''),wl=(0,a.makeIcon)("DashSquareDotted",''),Bl=(0,a.makeIcon)("DashSquareFill",''),kl=(0,a.makeIcon)("Diagram2",''),Tl=(0,a.makeIcon)("Diagram2Fill",''),Pl=(0,a.makeIcon)("Diagram3",''),El=(0,a.makeIcon)("Diagram3Fill",''),xl=(0,a.makeIcon)("Diamond",''),Ol=(0,a.makeIcon)("DiamondFill",''),Sl=(0,a.makeIcon)("DiamondHalf",''),Al=(0,a.makeIcon)("Dice1",''),Ll=(0,a.makeIcon)("Dice1Fill",''),Cl=(0,a.makeIcon)("Dice2",''),zl=(0,a.makeIcon)("Dice2Fill",''),Dl=(0,a.makeIcon)("Dice3",''),Fl=(0,a.makeIcon)("Dice3Fill",''),Rl=(0,a.makeIcon)("Dice4",''),Nl=(0,a.makeIcon)("Dice4Fill",''),Hl=(0,a.makeIcon)("Dice5",''),Vl=(0,a.makeIcon)("Dice5Fill",''),Yl=(0,a.makeIcon)("Dice6",''),jl=(0,a.makeIcon)("Dice6Fill",''),Ul=(0,a.makeIcon)("Disc",''),$l=(0,a.makeIcon)("DiscFill",''),Wl=(0,a.makeIcon)("Discord",''),Gl=(0,a.makeIcon)("Display",''),ql=(0,a.makeIcon)("DisplayFill",''),Xl=(0,a.makeIcon)("DistributeHorizontal",''),Kl=(0,a.makeIcon)("DistributeVertical",''),Jl=(0,a.makeIcon)("DoorClosed",''),Zl=(0,a.makeIcon)("DoorClosedFill",''),Ql=(0,a.makeIcon)("DoorOpen",''),ec=(0,a.makeIcon)("DoorOpenFill",''),tc=(0,a.makeIcon)("Dot",''),nc=(0,a.makeIcon)("Download",''),ac=(0,a.makeIcon)("Droplet",''),rc=(0,a.makeIcon)("DropletFill",''),oc=(0,a.makeIcon)("DropletHalf",''),ic=(0,a.makeIcon)("Earbuds",''),sc=(0,a.makeIcon)("Easel",''),lc=(0,a.makeIcon)("EaselFill",''),cc=(0,a.makeIcon)("Egg",''),uc=(0,a.makeIcon)("EggFill",''),dc=(0,a.makeIcon)("EggFried",''),hc=(0,a.makeIcon)("Eject",''),fc=(0,a.makeIcon)("EjectFill",''),pc=(0,a.makeIcon)("EmojiAngry",''),mc=(0,a.makeIcon)("EmojiAngryFill",''),vc=(0,a.makeIcon)("EmojiDizzy",''),gc=(0,a.makeIcon)("EmojiDizzyFill",''),_c=(0,a.makeIcon)("EmojiExpressionless",''),bc=(0,a.makeIcon)("EmojiExpressionlessFill",''),yc=(0,a.makeIcon)("EmojiFrown",''),Ic=(0,a.makeIcon)("EmojiFrownFill",''),Mc=(0,a.makeIcon)("EmojiHeartEyes",''),wc=(0,a.makeIcon)("EmojiHeartEyesFill",''),Bc=(0,a.makeIcon)("EmojiLaughing",''),kc=(0,a.makeIcon)("EmojiLaughingFill",''),Tc=(0,a.makeIcon)("EmojiNeutral",''),Pc=(0,a.makeIcon)("EmojiNeutralFill",''),Ec=(0,a.makeIcon)("EmojiSmile",''),xc=(0,a.makeIcon)("EmojiSmileFill",''),Oc=(0,a.makeIcon)("EmojiSmileUpsideDown",''),Sc=(0,a.makeIcon)("EmojiSmileUpsideDownFill",''),Ac=(0,a.makeIcon)("EmojiSunglasses",''),Lc=(0,a.makeIcon)("EmojiSunglassesFill",''),Cc=(0,a.makeIcon)("EmojiWink",''),zc=(0,a.makeIcon)("EmojiWinkFill",''),Dc=(0,a.makeIcon)("Envelope",''),Fc=(0,a.makeIcon)("EnvelopeFill",''),Rc=(0,a.makeIcon)("EnvelopeOpen",''),Nc=(0,a.makeIcon)("EnvelopeOpenFill",''),Hc=(0,a.makeIcon)("Eraser",''),Vc=(0,a.makeIcon)("EraserFill",''),Yc=(0,a.makeIcon)("Exclamation",''),jc=(0,a.makeIcon)("ExclamationCircle",''),Uc=(0,a.makeIcon)("ExclamationCircleFill",''),$c=(0,a.makeIcon)("ExclamationDiamond",''),Wc=(0,a.makeIcon)("ExclamationDiamondFill",''),Gc=(0,a.makeIcon)("ExclamationLg",''),qc=(0,a.makeIcon)("ExclamationOctagon",''),Xc=(0,a.makeIcon)("ExclamationOctagonFill",''),Kc=(0,a.makeIcon)("ExclamationSquare",''),Jc=(0,a.makeIcon)("ExclamationSquareFill",''),Zc=(0,a.makeIcon)("ExclamationTriangle",''),Qc=(0,a.makeIcon)("ExclamationTriangleFill",''),eu=(0,a.makeIcon)("Exclude",''),tu=(0,a.makeIcon)("Eye",''),nu=(0,a.makeIcon)("EyeFill",''),au=(0,a.makeIcon)("EyeSlash",''),ru=(0,a.makeIcon)("EyeSlashFill",''),ou=(0,a.makeIcon)("Eyedropper",''),iu=(0,a.makeIcon)("Eyeglasses",''),su=(0,a.makeIcon)("Facebook",''),lu=(0,a.makeIcon)("File",''),cu=(0,a.makeIcon)("FileArrowDown",''),uu=(0,a.makeIcon)("FileArrowDownFill",''),du=(0,a.makeIcon)("FileArrowUp",''),hu=(0,a.makeIcon)("FileArrowUpFill",''),fu=(0,a.makeIcon)("FileBarGraph",''),pu=(0,a.makeIcon)("FileBarGraphFill",''),mu=(0,a.makeIcon)("FileBinary",''),vu=(0,a.makeIcon)("FileBinaryFill",''),gu=(0,a.makeIcon)("FileBreak",''),_u=(0,a.makeIcon)("FileBreakFill",''),bu=(0,a.makeIcon)("FileCheck",''),yu=(0,a.makeIcon)("FileCheckFill",''),Iu=(0,a.makeIcon)("FileCode",''),Mu=(0,a.makeIcon)("FileCodeFill",''),wu=(0,a.makeIcon)("FileDiff",''),Bu=(0,a.makeIcon)("FileDiffFill",''),ku=(0,a.makeIcon)("FileEarmark",''),Tu=(0,a.makeIcon)("FileEarmarkArrowDown",''),Pu=(0,a.makeIcon)("FileEarmarkArrowDownFill",''),Eu=(0,a.makeIcon)("FileEarmarkArrowUp",''),xu=(0,a.makeIcon)("FileEarmarkArrowUpFill",''),Ou=(0,a.makeIcon)("FileEarmarkBarGraph",''),Su=(0,a.makeIcon)("FileEarmarkBarGraphFill",''),Au=(0,a.makeIcon)("FileEarmarkBinary",''),Lu=(0,a.makeIcon)("FileEarmarkBinaryFill",''),Cu=(0,a.makeIcon)("FileEarmarkBreak",''),zu=(0,a.makeIcon)("FileEarmarkBreakFill",''),Du=(0,a.makeIcon)("FileEarmarkCheck",''),Fu=(0,a.makeIcon)("FileEarmarkCheckFill",''),Ru=(0,a.makeIcon)("FileEarmarkCode",''),Nu=(0,a.makeIcon)("FileEarmarkCodeFill",''),Hu=(0,a.makeIcon)("FileEarmarkDiff",''),Vu=(0,a.makeIcon)("FileEarmarkDiffFill",''),Yu=(0,a.makeIcon)("FileEarmarkEasel",''),ju=(0,a.makeIcon)("FileEarmarkEaselFill",''),Uu=(0,a.makeIcon)("FileEarmarkExcel",''),$u=(0,a.makeIcon)("FileEarmarkExcelFill",''),Wu=(0,a.makeIcon)("FileEarmarkFill",''),Gu=(0,a.makeIcon)("FileEarmarkFont",''),qu=(0,a.makeIcon)("FileEarmarkFontFill",''),Xu=(0,a.makeIcon)("FileEarmarkImage",''),Ku=(0,a.makeIcon)("FileEarmarkImageFill",''),Ju=(0,a.makeIcon)("FileEarmarkLock",''),Zu=(0,a.makeIcon)("FileEarmarkLock2",''),Qu=(0,a.makeIcon)("FileEarmarkLock2Fill",''),ed=(0,a.makeIcon)("FileEarmarkLockFill",''),td=(0,a.makeIcon)("FileEarmarkMedical",''),nd=(0,a.makeIcon)("FileEarmarkMedicalFill",''),ad=(0,a.makeIcon)("FileEarmarkMinus",''),rd=(0,a.makeIcon)("FileEarmarkMinusFill",''),od=(0,a.makeIcon)("FileEarmarkMusic",''),id=(0,a.makeIcon)("FileEarmarkMusicFill",''),sd=(0,a.makeIcon)("FileEarmarkPdf",''),ld=(0,a.makeIcon)("FileEarmarkPdfFill",''),cd=(0,a.makeIcon)("FileEarmarkPerson",''),ud=(0,a.makeIcon)("FileEarmarkPersonFill",''),dd=(0,a.makeIcon)("FileEarmarkPlay",''),hd=(0,a.makeIcon)("FileEarmarkPlayFill",''),fd=(0,a.makeIcon)("FileEarmarkPlus",''),pd=(0,a.makeIcon)("FileEarmarkPlusFill",''),md=(0,a.makeIcon)("FileEarmarkPost",''),vd=(0,a.makeIcon)("FileEarmarkPostFill",''),gd=(0,a.makeIcon)("FileEarmarkPpt",''),_d=(0,a.makeIcon)("FileEarmarkPptFill",''),bd=(0,a.makeIcon)("FileEarmarkRichtext",''),yd=(0,a.makeIcon)("FileEarmarkRichtextFill",''),Id=(0,a.makeIcon)("FileEarmarkRuled",''),Md=(0,a.makeIcon)("FileEarmarkRuledFill",''),wd=(0,a.makeIcon)("FileEarmarkSlides",''),Bd=(0,a.makeIcon)("FileEarmarkSlidesFill",''),kd=(0,a.makeIcon)("FileEarmarkSpreadsheet",''),Td=(0,a.makeIcon)("FileEarmarkSpreadsheetFill",''),Pd=(0,a.makeIcon)("FileEarmarkText",''),Ed=(0,a.makeIcon)("FileEarmarkTextFill",''),xd=(0,a.makeIcon)("FileEarmarkWord",''),Od=(0,a.makeIcon)("FileEarmarkWordFill",''),Sd=(0,a.makeIcon)("FileEarmarkX",''),Ad=(0,a.makeIcon)("FileEarmarkXFill",''),Ld=(0,a.makeIcon)("FileEarmarkZip",''),Cd=(0,a.makeIcon)("FileEarmarkZipFill",''),zd=(0,a.makeIcon)("FileEasel",''),Dd=(0,a.makeIcon)("FileEaselFill",''),Fd=(0,a.makeIcon)("FileExcel",''),Rd=(0,a.makeIcon)("FileExcelFill",''),Nd=(0,a.makeIcon)("FileFill",''),Hd=(0,a.makeIcon)("FileFont",''),Vd=(0,a.makeIcon)("FileFontFill",''),Yd=(0,a.makeIcon)("FileImage",''),jd=(0,a.makeIcon)("FileImageFill",''),Ud=(0,a.makeIcon)("FileLock",''),$d=(0,a.makeIcon)("FileLock2",''),Wd=(0,a.makeIcon)("FileLock2Fill",''),Gd=(0,a.makeIcon)("FileLockFill",''),qd=(0,a.makeIcon)("FileMedical",''),Xd=(0,a.makeIcon)("FileMedicalFill",''),Kd=(0,a.makeIcon)("FileMinus",''),Jd=(0,a.makeIcon)("FileMinusFill",''),Zd=(0,a.makeIcon)("FileMusic",''),Qd=(0,a.makeIcon)("FileMusicFill",''),eh=(0,a.makeIcon)("FilePdf",''),th=(0,a.makeIcon)("FilePdfFill",''),nh=(0,a.makeIcon)("FilePerson",''),ah=(0,a.makeIcon)("FilePersonFill",''),rh=(0,a.makeIcon)("FilePlay",''),oh=(0,a.makeIcon)("FilePlayFill",''),ih=(0,a.makeIcon)("FilePlus",''),sh=(0,a.makeIcon)("FilePlusFill",''),lh=(0,a.makeIcon)("FilePost",''),ch=(0,a.makeIcon)("FilePostFill",''),uh=(0,a.makeIcon)("FilePpt",''),dh=(0,a.makeIcon)("FilePptFill",''),hh=(0,a.makeIcon)("FileRichtext",''),fh=(0,a.makeIcon)("FileRichtextFill",''),ph=(0,a.makeIcon)("FileRuled",''),mh=(0,a.makeIcon)("FileRuledFill",''),vh=(0,a.makeIcon)("FileSlides",''),gh=(0,a.makeIcon)("FileSlidesFill",''),_h=(0,a.makeIcon)("FileSpreadsheet",''),bh=(0,a.makeIcon)("FileSpreadsheetFill",''),yh=(0,a.makeIcon)("FileText",''),Ih=(0,a.makeIcon)("FileTextFill",''),Mh=(0,a.makeIcon)("FileWord",''),wh=(0,a.makeIcon)("FileWordFill",''),Bh=(0,a.makeIcon)("FileX",''),kh=(0,a.makeIcon)("FileXFill",''),Th=(0,a.makeIcon)("FileZip",''),Ph=(0,a.makeIcon)("FileZipFill",''),Eh=(0,a.makeIcon)("Files",''),xh=(0,a.makeIcon)("FilesAlt",''),Oh=(0,a.makeIcon)("Film",''),Sh=(0,a.makeIcon)("Filter",''),Ah=(0,a.makeIcon)("FilterCircle",''),Lh=(0,a.makeIcon)("FilterCircleFill",''),Ch=(0,a.makeIcon)("FilterLeft",''),zh=(0,a.makeIcon)("FilterRight",''),Dh=(0,a.makeIcon)("FilterSquare",''),Fh=(0,a.makeIcon)("FilterSquareFill",''),Rh=(0,a.makeIcon)("Flag",''),Nh=(0,a.makeIcon)("FlagFill",''),Hh=(0,a.makeIcon)("Flower1",''),Vh=(0,a.makeIcon)("Flower2",''),Yh=(0,a.makeIcon)("Flower3",''),jh=(0,a.makeIcon)("Folder",''),Uh=(0,a.makeIcon)("Folder2",''),$h=(0,a.makeIcon)("Folder2Open",''),Wh=(0,a.makeIcon)("FolderCheck",''),Gh=(0,a.makeIcon)("FolderFill",''),qh=(0,a.makeIcon)("FolderMinus",''),Xh=(0,a.makeIcon)("FolderPlus",''),Kh=(0,a.makeIcon)("FolderSymlink",''),Jh=(0,a.makeIcon)("FolderSymlinkFill",''),Zh=(0,a.makeIcon)("FolderX",''),Qh=(0,a.makeIcon)("Fonts",''),ef=(0,a.makeIcon)("Forward",''),tf=(0,a.makeIcon)("ForwardFill",''),nf=(0,a.makeIcon)("Front",''),af=(0,a.makeIcon)("Fullscreen",''),rf=(0,a.makeIcon)("FullscreenExit",''),of=(0,a.makeIcon)("Funnel",''),sf=(0,a.makeIcon)("FunnelFill",''),lf=(0,a.makeIcon)("Gear",''),cf=(0,a.makeIcon)("GearFill",''),uf=(0,a.makeIcon)("GearWide",''),df=(0,a.makeIcon)("GearWideConnected",''),hf=(0,a.makeIcon)("Gem",''),ff=(0,a.makeIcon)("GenderAmbiguous",''),pf=(0,a.makeIcon)("GenderFemale",''),mf=(0,a.makeIcon)("GenderMale",''),vf=(0,a.makeIcon)("GenderTrans",''),gf=(0,a.makeIcon)("Geo",''),_f=(0,a.makeIcon)("GeoAlt",''),bf=(0,a.makeIcon)("GeoAltFill",''),yf=(0,a.makeIcon)("GeoFill",''),If=(0,a.makeIcon)("Gift",''),Mf=(0,a.makeIcon)("GiftFill",''),wf=(0,a.makeIcon)("Github",''),Bf=(0,a.makeIcon)("Globe",''),kf=(0,a.makeIcon)("Globe2",''),Tf=(0,a.makeIcon)("Google",''),Pf=(0,a.makeIcon)("GraphDown",''),Ef=(0,a.makeIcon)("GraphUp",''),xf=(0,a.makeIcon)("Grid",''),Of=(0,a.makeIcon)("Grid1x2",''),Sf=(0,a.makeIcon)("Grid1x2Fill",''),Af=(0,a.makeIcon)("Grid3x2",''),Lf=(0,a.makeIcon)("Grid3x2Gap",''),Cf=(0,a.makeIcon)("Grid3x2GapFill",''),zf=(0,a.makeIcon)("Grid3x3",''),Df=(0,a.makeIcon)("Grid3x3Gap",''),Ff=(0,a.makeIcon)("Grid3x3GapFill",''),Rf=(0,a.makeIcon)("GridFill",''),Nf=(0,a.makeIcon)("GripHorizontal",''),Hf=(0,a.makeIcon)("GripVertical",''),Vf=(0,a.makeIcon)("Hammer",''),Yf=(0,a.makeIcon)("HandIndex",''),jf=(0,a.makeIcon)("HandIndexFill",''),Uf=(0,a.makeIcon)("HandIndexThumb",''),$f=(0,a.makeIcon)("HandIndexThumbFill",''),Wf=(0,a.makeIcon)("HandThumbsDown",''),Gf=(0,a.makeIcon)("HandThumbsDownFill",''),qf=(0,a.makeIcon)("HandThumbsUp",''),Xf=(0,a.makeIcon)("HandThumbsUpFill",''),Kf=(0,a.makeIcon)("Handbag",''),Jf=(0,a.makeIcon)("HandbagFill",''),Zf=(0,a.makeIcon)("Hash",''),Qf=(0,a.makeIcon)("Hdd",''),ep=(0,a.makeIcon)("HddFill",''),tp=(0,a.makeIcon)("HddNetwork",''),np=(0,a.makeIcon)("HddNetworkFill",''),ap=(0,a.makeIcon)("HddRack",''),rp=(0,a.makeIcon)("HddRackFill",''),op=(0,a.makeIcon)("HddStack",''),ip=(0,a.makeIcon)("HddStackFill",''),sp=(0,a.makeIcon)("Headphones",''),lp=(0,a.makeIcon)("Headset",''),cp=(0,a.makeIcon)("HeadsetVr",''),up=(0,a.makeIcon)("Heart",''),dp=(0,a.makeIcon)("HeartFill",''),hp=(0,a.makeIcon)("HeartHalf",''),fp=(0,a.makeIcon)("Heptagon",''),pp=(0,a.makeIcon)("HeptagonFill",''),mp=(0,a.makeIcon)("HeptagonHalf",''),vp=(0,a.makeIcon)("Hexagon",''),gp=(0,a.makeIcon)("HexagonFill",''),_p=(0,a.makeIcon)("HexagonHalf",''),bp=(0,a.makeIcon)("Hourglass",''),yp=(0,a.makeIcon)("HourglassBottom",''),Ip=(0,a.makeIcon)("HourglassSplit",''),Mp=(0,a.makeIcon)("HourglassTop",''),wp=(0,a.makeIcon)("House",''),Bp=(0,a.makeIcon)("HouseDoor",''),kp=(0,a.makeIcon)("HouseDoorFill",''),Tp=(0,a.makeIcon)("HouseFill",''),Pp=(0,a.makeIcon)("Hr",''),Ep=(0,a.makeIcon)("Hurricane",''),xp=(0,a.makeIcon)("Image",''),Op=(0,a.makeIcon)("ImageAlt",''),Sp=(0,a.makeIcon)("ImageFill",''),Ap=(0,a.makeIcon)("Images",''),Lp=(0,a.makeIcon)("Inbox",''),Cp=(0,a.makeIcon)("InboxFill",''),zp=(0,a.makeIcon)("Inboxes",''),Dp=(0,a.makeIcon)("InboxesFill",''),Fp=(0,a.makeIcon)("Info",''),Rp=(0,a.makeIcon)("InfoCircle",''),Np=(0,a.makeIcon)("InfoCircleFill",''),Hp=(0,a.makeIcon)("InfoLg",''),Vp=(0,a.makeIcon)("InfoSquare",''),Yp=(0,a.makeIcon)("InfoSquareFill",''),jp=(0,a.makeIcon)("InputCursor",''),Up=(0,a.makeIcon)("InputCursorText",''),$p=(0,a.makeIcon)("Instagram",''),Wp=(0,a.makeIcon)("Intersect",''),Gp=(0,a.makeIcon)("Journal",''),qp=(0,a.makeIcon)("JournalAlbum",''),Xp=(0,a.makeIcon)("JournalArrowDown",''),Kp=(0,a.makeIcon)("JournalArrowUp",''),Jp=(0,a.makeIcon)("JournalBookmark",''),Zp=(0,a.makeIcon)("JournalBookmarkFill",''),Qp=(0,a.makeIcon)("JournalCheck",''),em=(0,a.makeIcon)("JournalCode",''),tm=(0,a.makeIcon)("JournalMedical",''),nm=(0,a.makeIcon)("JournalMinus",''),am=(0,a.makeIcon)("JournalPlus",''),rm=(0,a.makeIcon)("JournalRichtext",''),om=(0,a.makeIcon)("JournalText",''),im=(0,a.makeIcon)("JournalX",''),sm=(0,a.makeIcon)("Journals",''),lm=(0,a.makeIcon)("Joystick",''),cm=(0,a.makeIcon)("Justify",''),um=(0,a.makeIcon)("JustifyLeft",''),dm=(0,a.makeIcon)("JustifyRight",''),hm=(0,a.makeIcon)("Kanban",''),fm=(0,a.makeIcon)("KanbanFill",''),pm=(0,a.makeIcon)("Key",''),mm=(0,a.makeIcon)("KeyFill",''),vm=(0,a.makeIcon)("Keyboard",''),gm=(0,a.makeIcon)("KeyboardFill",''),_m=(0,a.makeIcon)("Ladder",''),bm=(0,a.makeIcon)("Lamp",''),ym=(0,a.makeIcon)("LampFill",''),Im=(0,a.makeIcon)("Laptop",''),Mm=(0,a.makeIcon)("LaptopFill",''),wm=(0,a.makeIcon)("LayerBackward",''),Bm=(0,a.makeIcon)("LayerForward",''),km=(0,a.makeIcon)("Layers",''),Tm=(0,a.makeIcon)("LayersFill",''),Pm=(0,a.makeIcon)("LayersHalf",''),Em=(0,a.makeIcon)("LayoutSidebar",''),xm=(0,a.makeIcon)("LayoutSidebarInset",''),Om=(0,a.makeIcon)("LayoutSidebarInsetReverse",''),Sm=(0,a.makeIcon)("LayoutSidebarReverse",''),Am=(0,a.makeIcon)("LayoutSplit",''),Lm=(0,a.makeIcon)("LayoutTextSidebar",''),Cm=(0,a.makeIcon)("LayoutTextSidebarReverse",''),zm=(0,a.makeIcon)("LayoutTextWindow",''),Dm=(0,a.makeIcon)("LayoutTextWindowReverse",''),Fm=(0,a.makeIcon)("LayoutThreeColumns",''),Rm=(0,a.makeIcon)("LayoutWtf",''),Nm=(0,a.makeIcon)("LifePreserver",''),Hm=(0,a.makeIcon)("Lightbulb",''),Vm=(0,a.makeIcon)("LightbulbFill",''),Ym=(0,a.makeIcon)("LightbulbOff",''),jm=(0,a.makeIcon)("LightbulbOffFill",''),Um=(0,a.makeIcon)("Lightning",''),$m=(0,a.makeIcon)("LightningCharge",''),Wm=(0,a.makeIcon)("LightningChargeFill",''),Gm=(0,a.makeIcon)("LightningFill",''),qm=(0,a.makeIcon)("Link",''),Xm=(0,a.makeIcon)("Link45deg",''),Km=(0,a.makeIcon)("Linkedin",''),Jm=(0,a.makeIcon)("List",''),Zm=(0,a.makeIcon)("ListCheck",''),Qm=(0,a.makeIcon)("ListNested",''),ev=(0,a.makeIcon)("ListOl",''),tv=(0,a.makeIcon)("ListStars",''),nv=(0,a.makeIcon)("ListTask",''),av=(0,a.makeIcon)("ListUl",''),rv=(0,a.makeIcon)("Lock",''),ov=(0,a.makeIcon)("LockFill",''),iv=(0,a.makeIcon)("Mailbox",''),sv=(0,a.makeIcon)("Mailbox2",''),lv=(0,a.makeIcon)("Map",''),cv=(0,a.makeIcon)("MapFill",''),uv=(0,a.makeIcon)("Markdown",''),dv=(0,a.makeIcon)("MarkdownFill",''),hv=(0,a.makeIcon)("Mask",''),fv=(0,a.makeIcon)("Mastodon",''),pv=(0,a.makeIcon)("Megaphone",''),mv=(0,a.makeIcon)("MegaphoneFill",''),vv=(0,a.makeIcon)("MenuApp",''),gv=(0,a.makeIcon)("MenuAppFill",''),_v=(0,a.makeIcon)("MenuButton",''),bv=(0,a.makeIcon)("MenuButtonFill",''),yv=(0,a.makeIcon)("MenuButtonWide",''),Iv=(0,a.makeIcon)("MenuButtonWideFill",''),Mv=(0,a.makeIcon)("MenuDown",''),wv=(0,a.makeIcon)("MenuUp",''),Bv=(0,a.makeIcon)("Messenger",''),kv=(0,a.makeIcon)("Mic",''),Tv=(0,a.makeIcon)("MicFill",''),Pv=(0,a.makeIcon)("MicMute",''),Ev=(0,a.makeIcon)("MicMuteFill",''),xv=(0,a.makeIcon)("Minecart",''),Ov=(0,a.makeIcon)("MinecartLoaded",''),Sv=(0,a.makeIcon)("Moisture",''),Av=(0,a.makeIcon)("Moon",''),Lv=(0,a.makeIcon)("MoonFill",''),Cv=(0,a.makeIcon)("MoonStars",''),zv=(0,a.makeIcon)("MoonStarsFill",''),Dv=(0,a.makeIcon)("Mouse",''),Fv=(0,a.makeIcon)("Mouse2",''),Rv=(0,a.makeIcon)("Mouse2Fill",''),Nv=(0,a.makeIcon)("Mouse3",''),Hv=(0,a.makeIcon)("Mouse3Fill",''),Vv=(0,a.makeIcon)("MouseFill",''),Yv=(0,a.makeIcon)("MusicNote",''),jv=(0,a.makeIcon)("MusicNoteBeamed",''),Uv=(0,a.makeIcon)("MusicNoteList",''),$v=(0,a.makeIcon)("MusicPlayer",''),Wv=(0,a.makeIcon)("MusicPlayerFill",''),Gv=(0,a.makeIcon)("Newspaper",''),qv=(0,a.makeIcon)("NodeMinus",''),Xv=(0,a.makeIcon)("NodeMinusFill",''),Kv=(0,a.makeIcon)("NodePlus",''),Jv=(0,a.makeIcon)("NodePlusFill",''),Zv=(0,a.makeIcon)("Nut",''),Qv=(0,a.makeIcon)("NutFill",''),eg=(0,a.makeIcon)("Octagon",''),tg=(0,a.makeIcon)("OctagonFill",''),ng=(0,a.makeIcon)("OctagonHalf",''),ag=(0,a.makeIcon)("Option",''),rg=(0,a.makeIcon)("Outlet",''),og=(0,a.makeIcon)("PaintBucket",''),ig=(0,a.makeIcon)("Palette",''),sg=(0,a.makeIcon)("Palette2",''),lg=(0,a.makeIcon)("PaletteFill",''),cg=(0,a.makeIcon)("Paperclip",''),ug=(0,a.makeIcon)("Paragraph",''),dg=(0,a.makeIcon)("PatchCheck",''),hg=(0,a.makeIcon)("PatchCheckFill",''),fg=(0,a.makeIcon)("PatchExclamation",''),pg=(0,a.makeIcon)("PatchExclamationFill",''),mg=(0,a.makeIcon)("PatchMinus",''),vg=(0,a.makeIcon)("PatchMinusFill",''),gg=(0,a.makeIcon)("PatchPlus",''),_g=(0,a.makeIcon)("PatchPlusFill",''),bg=(0,a.makeIcon)("PatchQuestion",''),yg=(0,a.makeIcon)("PatchQuestionFill",''),Ig=(0,a.makeIcon)("Pause",''),Mg=(0,a.makeIcon)("PauseBtn",''),wg=(0,a.makeIcon)("PauseBtnFill",''),Bg=(0,a.makeIcon)("PauseCircle",''),kg=(0,a.makeIcon)("PauseCircleFill",''),Tg=(0,a.makeIcon)("PauseFill",''),Pg=(0,a.makeIcon)("Peace",''),Eg=(0,a.makeIcon)("PeaceFill",''),xg=(0,a.makeIcon)("Pen",''),Og=(0,a.makeIcon)("PenFill",''),Sg=(0,a.makeIcon)("Pencil",''),Ag=(0,a.makeIcon)("PencilFill",''),Lg=(0,a.makeIcon)("PencilSquare",''),Cg=(0,a.makeIcon)("Pentagon",''),zg=(0,a.makeIcon)("PentagonFill",''),Dg=(0,a.makeIcon)("PentagonHalf",''),Fg=(0,a.makeIcon)("People",''),Rg=(0,a.makeIcon)("PeopleFill",''),Ng=(0,a.makeIcon)("Percent",''),Hg=(0,a.makeIcon)("Person",''),Vg=(0,a.makeIcon)("PersonBadge",''),Yg=(0,a.makeIcon)("PersonBadgeFill",''),jg=(0,a.makeIcon)("PersonBoundingBox",''),Ug=(0,a.makeIcon)("PersonCheck",''),$g=(0,a.makeIcon)("PersonCheckFill",''),Wg=(0,a.makeIcon)("PersonCircle",''),Gg=(0,a.makeIcon)("PersonDash",''),qg=(0,a.makeIcon)("PersonDashFill",''),Xg=(0,a.makeIcon)("PersonFill",''),Kg=(0,a.makeIcon)("PersonLinesFill",''),Jg=(0,a.makeIcon)("PersonPlus",''),Zg=(0,a.makeIcon)("PersonPlusFill",''),Qg=(0,a.makeIcon)("PersonSquare",''),e_=(0,a.makeIcon)("PersonX",''),t_=(0,a.makeIcon)("PersonXFill",''),n_=(0,a.makeIcon)("Phone",''),a_=(0,a.makeIcon)("PhoneFill",''),r_=(0,a.makeIcon)("PhoneLandscape",''),o_=(0,a.makeIcon)("PhoneLandscapeFill",''),i_=(0,a.makeIcon)("PhoneVibrate",''),s_=(0,a.makeIcon)("PhoneVibrateFill",''),l_=(0,a.makeIcon)("PieChart",''),c_=(0,a.makeIcon)("PieChartFill",''),u_=(0,a.makeIcon)("PiggyBank",''),d_=(0,a.makeIcon)("PiggyBankFill",''),h_=(0,a.makeIcon)("Pin",''),f_=(0,a.makeIcon)("PinAngle",''),p_=(0,a.makeIcon)("PinAngleFill",''),m_=(0,a.makeIcon)("PinFill",''),v_=(0,a.makeIcon)("PinMap",''),g_=(0,a.makeIcon)("PinMapFill",''),__=(0,a.makeIcon)("Pip",''),b_=(0,a.makeIcon)("PipFill",''),y_=(0,a.makeIcon)("Play",''),I_=(0,a.makeIcon)("PlayBtn",''),M_=(0,a.makeIcon)("PlayBtnFill",''),w_=(0,a.makeIcon)("PlayCircle",''),B_=(0,a.makeIcon)("PlayCircleFill",''),k_=(0,a.makeIcon)("PlayFill",''),T_=(0,a.makeIcon)("Plug",''),P_=(0,a.makeIcon)("PlugFill",''),E_=(0,a.makeIcon)("Plus",''),x_=(0,a.makeIcon)("PlusCircle",''),O_=(0,a.makeIcon)("PlusCircleDotted",''),S_=(0,a.makeIcon)("PlusCircleFill",''),A_=(0,a.makeIcon)("PlusLg",''),L_=(0,a.makeIcon)("PlusSquare",''),C_=(0,a.makeIcon)("PlusSquareDotted",''),z_=(0,a.makeIcon)("PlusSquareFill",''),D_=(0,a.makeIcon)("Power",''),F_=(0,a.makeIcon)("Printer",''),R_=(0,a.makeIcon)("PrinterFill",''),N_=(0,a.makeIcon)("Puzzle",''),H_=(0,a.makeIcon)("PuzzleFill",''),V_=(0,a.makeIcon)("Question",''),Y_=(0,a.makeIcon)("QuestionCircle",''),j_=(0,a.makeIcon)("QuestionCircleFill",''),U_=(0,a.makeIcon)("QuestionDiamond",''),$_=(0,a.makeIcon)("QuestionDiamondFill",''),W_=(0,a.makeIcon)("QuestionLg",''),G_=(0,a.makeIcon)("QuestionOctagon",''),q_=(0,a.makeIcon)("QuestionOctagonFill",''),X_=(0,a.makeIcon)("QuestionSquare",''),K_=(0,a.makeIcon)("QuestionSquareFill",''),J_=(0,a.makeIcon)("Rainbow",''),Z_=(0,a.makeIcon)("Receipt",''),Q_=(0,a.makeIcon)("ReceiptCutoff",''),eb=(0,a.makeIcon)("Reception0",''),tb=(0,a.makeIcon)("Reception1",''),nb=(0,a.makeIcon)("Reception2",''),ab=(0,a.makeIcon)("Reception3",''),rb=(0,a.makeIcon)("Reception4",''),ob=(0,a.makeIcon)("Record",''),ib=(0,a.makeIcon)("Record2",''),sb=(0,a.makeIcon)("Record2Fill",''),lb=(0,a.makeIcon)("RecordBtn",''),cb=(0,a.makeIcon)("RecordBtnFill",''),ub=(0,a.makeIcon)("RecordCircle",''),db=(0,a.makeIcon)("RecordCircleFill",''),hb=(0,a.makeIcon)("RecordFill",''),fb=(0,a.makeIcon)("Recycle",''),pb=(0,a.makeIcon)("Reddit",''),mb=(0,a.makeIcon)("Reply",''),vb=(0,a.makeIcon)("ReplyAll",''),gb=(0,a.makeIcon)("ReplyAllFill",''),_b=(0,a.makeIcon)("ReplyFill",''),bb=(0,a.makeIcon)("Rss",''),yb=(0,a.makeIcon)("RssFill",''),Ib=(0,a.makeIcon)("Rulers",''),Mb=(0,a.makeIcon)("Safe",''),wb=(0,a.makeIcon)("Safe2",''),Bb=(0,a.makeIcon)("Safe2Fill",''),kb=(0,a.makeIcon)("SafeFill",''),Tb=(0,a.makeIcon)("Save",''),Pb=(0,a.makeIcon)("Save2",''),Eb=(0,a.makeIcon)("Save2Fill",''),xb=(0,a.makeIcon)("SaveFill",''),Ob=(0,a.makeIcon)("Scissors",''),Sb=(0,a.makeIcon)("Screwdriver",''),Ab=(0,a.makeIcon)("SdCard",''),Lb=(0,a.makeIcon)("SdCardFill",''),Cb=(0,a.makeIcon)("Search",''),zb=(0,a.makeIcon)("SegmentedNav",''),Db=(0,a.makeIcon)("Server",''),Fb=(0,a.makeIcon)("Share",''),Rb=(0,a.makeIcon)("ShareFill",''),Nb=(0,a.makeIcon)("Shield",''),Hb=(0,a.makeIcon)("ShieldCheck",''),Vb=(0,a.makeIcon)("ShieldExclamation",''),Yb=(0,a.makeIcon)("ShieldFill",''),jb=(0,a.makeIcon)("ShieldFillCheck",''),Ub=(0,a.makeIcon)("ShieldFillExclamation",''),$b=(0,a.makeIcon)("ShieldFillMinus",''),Wb=(0,a.makeIcon)("ShieldFillPlus",''),Gb=(0,a.makeIcon)("ShieldFillX",''),qb=(0,a.makeIcon)("ShieldLock",''),Xb=(0,a.makeIcon)("ShieldLockFill",''),Kb=(0,a.makeIcon)("ShieldMinus",''),Jb=(0,a.makeIcon)("ShieldPlus",''),Zb=(0,a.makeIcon)("ShieldShaded",''),Qb=(0,a.makeIcon)("ShieldSlash",''),ey=(0,a.makeIcon)("ShieldSlashFill",''),ty=(0,a.makeIcon)("ShieldX",''),ny=(0,a.makeIcon)("Shift",''),ay=(0,a.makeIcon)("ShiftFill",''),ry=(0,a.makeIcon)("Shop",''),oy=(0,a.makeIcon)("ShopWindow",''),iy=(0,a.makeIcon)("Shuffle",''),sy=(0,a.makeIcon)("Signpost",''),ly=(0,a.makeIcon)("Signpost2",''),cy=(0,a.makeIcon)("Signpost2Fill",''),uy=(0,a.makeIcon)("SignpostFill",''),dy=(0,a.makeIcon)("SignpostSplit",''),hy=(0,a.makeIcon)("SignpostSplitFill",''),fy=(0,a.makeIcon)("Sim",''),py=(0,a.makeIcon)("SimFill",''),my=(0,a.makeIcon)("SkipBackward",''),vy=(0,a.makeIcon)("SkipBackwardBtn",''),gy=(0,a.makeIcon)("SkipBackwardBtnFill",''),_y=(0,a.makeIcon)("SkipBackwardCircle",''),by=(0,a.makeIcon)("SkipBackwardCircleFill",''),yy=(0,a.makeIcon)("SkipBackwardFill",''),Iy=(0,a.makeIcon)("SkipEnd",''),My=(0,a.makeIcon)("SkipEndBtn",''),wy=(0,a.makeIcon)("SkipEndBtnFill",''),By=(0,a.makeIcon)("SkipEndCircle",''),ky=(0,a.makeIcon)("SkipEndCircleFill",''),Ty=(0,a.makeIcon)("SkipEndFill",''),Py=(0,a.makeIcon)("SkipForward",''),Ey=(0,a.makeIcon)("SkipForwardBtn",''),xy=(0,a.makeIcon)("SkipForwardBtnFill",''),Oy=(0,a.makeIcon)("SkipForwardCircle",''),Sy=(0,a.makeIcon)("SkipForwardCircleFill",''),Ay=(0,a.makeIcon)("SkipForwardFill",''),Ly=(0,a.makeIcon)("SkipStart",''),Cy=(0,a.makeIcon)("SkipStartBtn",''),zy=(0,a.makeIcon)("SkipStartBtnFill",''),Dy=(0,a.makeIcon)("SkipStartCircle",''),Fy=(0,a.makeIcon)("SkipStartCircleFill",''),Ry=(0,a.makeIcon)("SkipStartFill",''),Ny=(0,a.makeIcon)("Skype",''),Hy=(0,a.makeIcon)("Slack",''),Vy=(0,a.makeIcon)("Slash",''),Yy=(0,a.makeIcon)("SlashCircle",''),jy=(0,a.makeIcon)("SlashCircleFill",''),Uy=(0,a.makeIcon)("SlashLg",''),$y=(0,a.makeIcon)("SlashSquare",''),Wy=(0,a.makeIcon)("SlashSquareFill",''),Gy=(0,a.makeIcon)("Sliders",''),qy=(0,a.makeIcon)("Smartwatch",''),Xy=(0,a.makeIcon)("Snow",''),Ky=(0,a.makeIcon)("Snow2",''),Jy=(0,a.makeIcon)("Snow3",''),Zy=(0,a.makeIcon)("SortAlphaDown",''),Qy=(0,a.makeIcon)("SortAlphaDownAlt",''),eI=(0,a.makeIcon)("SortAlphaUp",''),tI=(0,a.makeIcon)("SortAlphaUpAlt",''),nI=(0,a.makeIcon)("SortDown",''),aI=(0,a.makeIcon)("SortDownAlt",''),rI=(0,a.makeIcon)("SortNumericDown",''),oI=(0,a.makeIcon)("SortNumericDownAlt",''),iI=(0,a.makeIcon)("SortNumericUp",''),sI=(0,a.makeIcon)("SortNumericUpAlt",''),lI=(0,a.makeIcon)("SortUp",''),cI=(0,a.makeIcon)("SortUpAlt",''),uI=(0,a.makeIcon)("Soundwave",''),dI=(0,a.makeIcon)("Speaker",''),hI=(0,a.makeIcon)("SpeakerFill",''),fI=(0,a.makeIcon)("Speedometer",''),pI=(0,a.makeIcon)("Speedometer2",''),mI=(0,a.makeIcon)("Spellcheck",''),vI=(0,a.makeIcon)("Square",''),gI=(0,a.makeIcon)("SquareFill",''),_I=(0,a.makeIcon)("SquareHalf",''),bI=(0,a.makeIcon)("Stack",''),yI=(0,a.makeIcon)("Star",''),II=(0,a.makeIcon)("StarFill",''),MI=(0,a.makeIcon)("StarHalf",''),wI=(0,a.makeIcon)("Stars",''),BI=(0,a.makeIcon)("Stickies",''),kI=(0,a.makeIcon)("StickiesFill",''),TI=(0,a.makeIcon)("Sticky",''),PI=(0,a.makeIcon)("StickyFill",''),EI=(0,a.makeIcon)("Stop",''),xI=(0,a.makeIcon)("StopBtn",''),OI=(0,a.makeIcon)("StopBtnFill",''),SI=(0,a.makeIcon)("StopCircle",''),AI=(0,a.makeIcon)("StopCircleFill",''),LI=(0,a.makeIcon)("StopFill",''),CI=(0,a.makeIcon)("Stoplights",''),zI=(0,a.makeIcon)("StoplightsFill",''),DI=(0,a.makeIcon)("Stopwatch",''),FI=(0,a.makeIcon)("StopwatchFill",''),RI=(0,a.makeIcon)("Subtract",''),NI=(0,a.makeIcon)("SuitClub",''),HI=(0,a.makeIcon)("SuitClubFill",''),VI=(0,a.makeIcon)("SuitDiamond",''),YI=(0,a.makeIcon)("SuitDiamondFill",''),jI=(0,a.makeIcon)("SuitHeart",''),UI=(0,a.makeIcon)("SuitHeartFill",''),$I=(0,a.makeIcon)("SuitSpade",''),WI=(0,a.makeIcon)("SuitSpadeFill",''),GI=(0,a.makeIcon)("Sun",''),qI=(0,a.makeIcon)("SunFill",''),XI=(0,a.makeIcon)("Sunglasses",''),KI=(0,a.makeIcon)("Sunrise",''),JI=(0,a.makeIcon)("SunriseFill",''),ZI=(0,a.makeIcon)("Sunset",''),QI=(0,a.makeIcon)("SunsetFill",''),eM=(0,a.makeIcon)("SymmetryHorizontal",''),tM=(0,a.makeIcon)("SymmetryVertical",''),nM=(0,a.makeIcon)("Table",''),aM=(0,a.makeIcon)("Tablet",''),rM=(0,a.makeIcon)("TabletFill",''),oM=(0,a.makeIcon)("TabletLandscape",''),iM=(0,a.makeIcon)("TabletLandscapeFill",''),sM=(0,a.makeIcon)("Tag",''),lM=(0,a.makeIcon)("TagFill",''),cM=(0,a.makeIcon)("Tags",''),uM=(0,a.makeIcon)("TagsFill",''),dM=(0,a.makeIcon)("Telegram",''),hM=(0,a.makeIcon)("Telephone",''),fM=(0,a.makeIcon)("TelephoneFill",''),pM=(0,a.makeIcon)("TelephoneForward",''),mM=(0,a.makeIcon)("TelephoneForwardFill",''),vM=(0,a.makeIcon)("TelephoneInbound",''),gM=(0,a.makeIcon)("TelephoneInboundFill",''),_M=(0,a.makeIcon)("TelephoneMinus",''),bM=(0,a.makeIcon)("TelephoneMinusFill",''),yM=(0,a.makeIcon)("TelephoneOutbound",''),IM=(0,a.makeIcon)("TelephoneOutboundFill",''),MM=(0,a.makeIcon)("TelephonePlus",''),wM=(0,a.makeIcon)("TelephonePlusFill",''),BM=(0,a.makeIcon)("TelephoneX",''),kM=(0,a.makeIcon)("TelephoneXFill",''),TM=(0,a.makeIcon)("Terminal",''),PM=(0,a.makeIcon)("TerminalFill",''),EM=(0,a.makeIcon)("TextCenter",''),xM=(0,a.makeIcon)("TextIndentLeft",''),OM=(0,a.makeIcon)("TextIndentRight",''),SM=(0,a.makeIcon)("TextLeft",''),AM=(0,a.makeIcon)("TextParagraph",''),LM=(0,a.makeIcon)("TextRight",''),CM=(0,a.makeIcon)("Textarea",''),zM=(0,a.makeIcon)("TextareaResize",''),DM=(0,a.makeIcon)("TextareaT",''),FM=(0,a.makeIcon)("Thermometer",''),RM=(0,a.makeIcon)("ThermometerHalf",''),NM=(0,a.makeIcon)("ThermometerHigh",''),HM=(0,a.makeIcon)("ThermometerLow",''),VM=(0,a.makeIcon)("ThermometerSnow",''),YM=(0,a.makeIcon)("ThermometerSun",''),jM=(0,a.makeIcon)("ThreeDots",''),UM=(0,a.makeIcon)("ThreeDotsVertical",''),$M=(0,a.makeIcon)("Toggle2Off",''),WM=(0,a.makeIcon)("Toggle2On",''),GM=(0,a.makeIcon)("ToggleOff",''),qM=(0,a.makeIcon)("ToggleOn",''),XM=(0,a.makeIcon)("Toggles",''),KM=(0,a.makeIcon)("Toggles2",''),JM=(0,a.makeIcon)("Tools",''),ZM=(0,a.makeIcon)("Tornado",''),QM=(0,a.makeIcon)("Translate",''),ew=(0,a.makeIcon)("Trash",''),tw=(0,a.makeIcon)("Trash2",''),nw=(0,a.makeIcon)("Trash2Fill",''),aw=(0,a.makeIcon)("TrashFill",''),rw=(0,a.makeIcon)("Tree",''),ow=(0,a.makeIcon)("TreeFill",''),iw=(0,a.makeIcon)("Triangle",''),sw=(0,a.makeIcon)("TriangleFill",''),lw=(0,a.makeIcon)("TriangleHalf",''),cw=(0,a.makeIcon)("Trophy",''),uw=(0,a.makeIcon)("TrophyFill",''),dw=(0,a.makeIcon)("TropicalStorm",''),hw=(0,a.makeIcon)("Truck",''),fw=(0,a.makeIcon)("TruckFlatbed",''),pw=(0,a.makeIcon)("Tsunami",''),mw=(0,a.makeIcon)("Tv",''),vw=(0,a.makeIcon)("TvFill",''),gw=(0,a.makeIcon)("Twitch",''),_w=(0,a.makeIcon)("Twitter",''),bw=(0,a.makeIcon)("Type",''),yw=(0,a.makeIcon)("TypeBold",''),Iw=(0,a.makeIcon)("TypeH1",''),Mw=(0,a.makeIcon)("TypeH2",''),ww=(0,a.makeIcon)("TypeH3",''),Bw=(0,a.makeIcon)("TypeItalic",''),kw=(0,a.makeIcon)("TypeStrikethrough",''),Tw=(0,a.makeIcon)("TypeUnderline",''),Pw=(0,a.makeIcon)("UiChecks",''),Ew=(0,a.makeIcon)("UiChecksGrid",''),xw=(0,a.makeIcon)("UiRadios",''),Ow=(0,a.makeIcon)("UiRadiosGrid",''),Sw=(0,a.makeIcon)("Umbrella",''),Aw=(0,a.makeIcon)("UmbrellaFill",''),Lw=(0,a.makeIcon)("Union",''),Cw=(0,a.makeIcon)("Unlock",''),zw=(0,a.makeIcon)("UnlockFill",''),Dw=(0,a.makeIcon)("Upc",''),Fw=(0,a.makeIcon)("UpcScan",''),Rw=(0,a.makeIcon)("Upload",''),Nw=(0,a.makeIcon)("VectorPen",''),Hw=(0,a.makeIcon)("ViewList",''),Vw=(0,a.makeIcon)("ViewStacked",''),Yw=(0,a.makeIcon)("Vinyl",''),jw=(0,a.makeIcon)("VinylFill",''),Uw=(0,a.makeIcon)("Voicemail",''),$w=(0,a.makeIcon)("VolumeDown",''),Ww=(0,a.makeIcon)("VolumeDownFill",''),Gw=(0,a.makeIcon)("VolumeMute",''),qw=(0,a.makeIcon)("VolumeMuteFill",''),Xw=(0,a.makeIcon)("VolumeOff",''),Kw=(0,a.makeIcon)("VolumeOffFill",''),Jw=(0,a.makeIcon)("VolumeUp",''),Zw=(0,a.makeIcon)("VolumeUpFill",''),Qw=(0,a.makeIcon)("Vr",''),eB=(0,a.makeIcon)("Wallet",''),tB=(0,a.makeIcon)("Wallet2",''),nB=(0,a.makeIcon)("WalletFill",''),aB=(0,a.makeIcon)("Watch",''),rB=(0,a.makeIcon)("Water",''),oB=(0,a.makeIcon)("Whatsapp",''),iB=(0,a.makeIcon)("Wifi",''),sB=(0,a.makeIcon)("Wifi1",''),lB=(0,a.makeIcon)("Wifi2",''),cB=(0,a.makeIcon)("WifiOff",''),uB=(0,a.makeIcon)("Wind",''),dB=(0,a.makeIcon)("Window",''),hB=(0,a.makeIcon)("WindowDock",''),fB=(0,a.makeIcon)("WindowSidebar",''),pB=(0,a.makeIcon)("Wrench",''),mB=(0,a.makeIcon)("X",''),vB=(0,a.makeIcon)("XCircle",''),gB=(0,a.makeIcon)("XCircleFill",''),_B=(0,a.makeIcon)("XDiamond",''),bB=(0,a.makeIcon)("XDiamondFill",''),yB=(0,a.makeIcon)("XLg",''),IB=(0,a.makeIcon)("XOctagon",''),MB=(0,a.makeIcon)("XOctagonFill",''),wB=(0,a.makeIcon)("XSquare",''),BB=(0,a.makeIcon)("XSquareFill",''),kB=(0,a.makeIcon)("Youtube",''),TB=(0,a.makeIcon)("ZoomIn",''),PB=(0,a.makeIcon)("ZoomOut",'')},5195:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BIconstack:()=>c,props:()=>l});var a=n(1915),r=n(94689),o=n(67040),i=n(20451),s=n(39143),l=(0,i.makePropsConfigurable)((0,o.omit)(s.props,["content","stacked"]),r.NAME_ICONSTACK),c=(0,a.extend)({name:r.NAME_ICONSTACK,functional:!0,props:l,render:function(e,t){var n=t.data,r=t.props,o=t.children;return e(s.BVIconBase,(0,a.mergeData)(n,{staticClass:"b-iconstack",props:r}),o)}})},29699:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BIcon:()=>o.BIcon,BIconstack:()=>i.BIconstack,BootstrapVueIcons:()=>s.BootstrapVueIcons,IconsPlugin:()=>s.IconsPlugin,iconNames:()=>s.iconNames});var a=n(7543),r={};for(const e in a)["default","BIcon","BIconstack","IconsPlugin","BootstrapVueIcons","iconNames"].indexOf(e)<0&&(r[e]=()=>a[e]);n.d(t,r);var o=n(43022),i=n(5195),s=n(97238)},97238:(e,t,n)=>{"use strict";n.r(t),n.d(t,{BootstrapVueIcons:()=>c,IconsPlugin:()=>l,iconNames:()=>s});var a=n(11638),r=n(43022),o=n(5195),i=n(7543),s=["BIconBlank","BIconAlarm","BIconAlarmFill","BIconAlignBottom","BIconAlignCenter","BIconAlignEnd","BIconAlignMiddle","BIconAlignStart","BIconAlignTop","BIconAlt","BIconApp","BIconAppIndicator","BIconArchive","BIconArchiveFill","BIconArrow90degDown","BIconArrow90degLeft","BIconArrow90degRight","BIconArrow90degUp","BIconArrowBarDown","BIconArrowBarLeft","BIconArrowBarRight","BIconArrowBarUp","BIconArrowClockwise","BIconArrowCounterclockwise","BIconArrowDown","BIconArrowDownCircle","BIconArrowDownCircleFill","BIconArrowDownLeft","BIconArrowDownLeftCircle","BIconArrowDownLeftCircleFill","BIconArrowDownLeftSquare","BIconArrowDownLeftSquareFill","BIconArrowDownRight","BIconArrowDownRightCircle","BIconArrowDownRightCircleFill","BIconArrowDownRightSquare","BIconArrowDownRightSquareFill","BIconArrowDownShort","BIconArrowDownSquare","BIconArrowDownSquareFill","BIconArrowDownUp","BIconArrowLeft","BIconArrowLeftCircle","BIconArrowLeftCircleFill","BIconArrowLeftRight","BIconArrowLeftShort","BIconArrowLeftSquare","BIconArrowLeftSquareFill","BIconArrowRepeat","BIconArrowReturnLeft","BIconArrowReturnRight","BIconArrowRight","BIconArrowRightCircle","BIconArrowRightCircleFill","BIconArrowRightShort","BIconArrowRightSquare","BIconArrowRightSquareFill","BIconArrowUp","BIconArrowUpCircle","BIconArrowUpCircleFill","BIconArrowUpLeft","BIconArrowUpLeftCircle","BIconArrowUpLeftCircleFill","BIconArrowUpLeftSquare","BIconArrowUpLeftSquareFill","BIconArrowUpRight","BIconArrowUpRightCircle","BIconArrowUpRightCircleFill","BIconArrowUpRightSquare","BIconArrowUpRightSquareFill","BIconArrowUpShort","BIconArrowUpSquare","BIconArrowUpSquareFill","BIconArrowsAngleContract","BIconArrowsAngleExpand","BIconArrowsCollapse","BIconArrowsExpand","BIconArrowsFullscreen","BIconArrowsMove","BIconAspectRatio","BIconAspectRatioFill","BIconAsterisk","BIconAt","BIconAward","BIconAwardFill","BIconBack","BIconBackspace","BIconBackspaceFill","BIconBackspaceReverse","BIconBackspaceReverseFill","BIconBadge3d","BIconBadge3dFill","BIconBadge4k","BIconBadge4kFill","BIconBadge8k","BIconBadge8kFill","BIconBadgeAd","BIconBadgeAdFill","BIconBadgeAr","BIconBadgeArFill","BIconBadgeCc","BIconBadgeCcFill","BIconBadgeHd","BIconBadgeHdFill","BIconBadgeTm","BIconBadgeTmFill","BIconBadgeVo","BIconBadgeVoFill","BIconBadgeVr","BIconBadgeVrFill","BIconBadgeWc","BIconBadgeWcFill","BIconBag","BIconBagCheck","BIconBagCheckFill","BIconBagDash","BIconBagDashFill","BIconBagFill","BIconBagPlus","BIconBagPlusFill","BIconBagX","BIconBagXFill","BIconBank","BIconBank2","BIconBarChart","BIconBarChartFill","BIconBarChartLine","BIconBarChartLineFill","BIconBarChartSteps","BIconBasket","BIconBasket2","BIconBasket2Fill","BIconBasket3","BIconBasket3Fill","BIconBasketFill","BIconBattery","BIconBatteryCharging","BIconBatteryFull","BIconBatteryHalf","BIconBell","BIconBellFill","BIconBellSlash","BIconBellSlashFill","BIconBezier","BIconBezier2","BIconBicycle","BIconBinoculars","BIconBinocularsFill","BIconBlockquoteLeft","BIconBlockquoteRight","BIconBook","BIconBookFill","BIconBookHalf","BIconBookmark","BIconBookmarkCheck","BIconBookmarkCheckFill","BIconBookmarkDash","BIconBookmarkDashFill","BIconBookmarkFill","BIconBookmarkHeart","BIconBookmarkHeartFill","BIconBookmarkPlus","BIconBookmarkPlusFill","BIconBookmarkStar","BIconBookmarkStarFill","BIconBookmarkX","BIconBookmarkXFill","BIconBookmarks","BIconBookmarksFill","BIconBookshelf","BIconBootstrap","BIconBootstrapFill","BIconBootstrapReboot","BIconBorder","BIconBorderAll","BIconBorderBottom","BIconBorderCenter","BIconBorderInner","BIconBorderLeft","BIconBorderMiddle","BIconBorderOuter","BIconBorderRight","BIconBorderStyle","BIconBorderTop","BIconBorderWidth","BIconBoundingBox","BIconBoundingBoxCircles","BIconBox","BIconBoxArrowDown","BIconBoxArrowDownLeft","BIconBoxArrowDownRight","BIconBoxArrowInDown","BIconBoxArrowInDownLeft","BIconBoxArrowInDownRight","BIconBoxArrowInLeft","BIconBoxArrowInRight","BIconBoxArrowInUp","BIconBoxArrowInUpLeft","BIconBoxArrowInUpRight","BIconBoxArrowLeft","BIconBoxArrowRight","BIconBoxArrowUp","BIconBoxArrowUpLeft","BIconBoxArrowUpRight","BIconBoxSeam","BIconBraces","BIconBricks","BIconBriefcase","BIconBriefcaseFill","BIconBrightnessAltHigh","BIconBrightnessAltHighFill","BIconBrightnessAltLow","BIconBrightnessAltLowFill","BIconBrightnessHigh","BIconBrightnessHighFill","BIconBrightnessLow","BIconBrightnessLowFill","BIconBroadcast","BIconBroadcastPin","BIconBrush","BIconBrushFill","BIconBucket","BIconBucketFill","BIconBug","BIconBugFill","BIconBuilding","BIconBullseye","BIconCalculator","BIconCalculatorFill","BIconCalendar","BIconCalendar2","BIconCalendar2Check","BIconCalendar2CheckFill","BIconCalendar2Date","BIconCalendar2DateFill","BIconCalendar2Day","BIconCalendar2DayFill","BIconCalendar2Event","BIconCalendar2EventFill","BIconCalendar2Fill","BIconCalendar2Minus","BIconCalendar2MinusFill","BIconCalendar2Month","BIconCalendar2MonthFill","BIconCalendar2Plus","BIconCalendar2PlusFill","BIconCalendar2Range","BIconCalendar2RangeFill","BIconCalendar2Week","BIconCalendar2WeekFill","BIconCalendar2X","BIconCalendar2XFill","BIconCalendar3","BIconCalendar3Event","BIconCalendar3EventFill","BIconCalendar3Fill","BIconCalendar3Range","BIconCalendar3RangeFill","BIconCalendar3Week","BIconCalendar3WeekFill","BIconCalendar4","BIconCalendar4Event","BIconCalendar4Range","BIconCalendar4Week","BIconCalendarCheck","BIconCalendarCheckFill","BIconCalendarDate","BIconCalendarDateFill","BIconCalendarDay","BIconCalendarDayFill","BIconCalendarEvent","BIconCalendarEventFill","BIconCalendarFill","BIconCalendarMinus","BIconCalendarMinusFill","BIconCalendarMonth","BIconCalendarMonthFill","BIconCalendarPlus","BIconCalendarPlusFill","BIconCalendarRange","BIconCalendarRangeFill","BIconCalendarWeek","BIconCalendarWeekFill","BIconCalendarX","BIconCalendarXFill","BIconCamera","BIconCamera2","BIconCameraFill","BIconCameraReels","BIconCameraReelsFill","BIconCameraVideo","BIconCameraVideoFill","BIconCameraVideoOff","BIconCameraVideoOffFill","BIconCapslock","BIconCapslockFill","BIconCardChecklist","BIconCardHeading","BIconCardImage","BIconCardList","BIconCardText","BIconCaretDown","BIconCaretDownFill","BIconCaretDownSquare","BIconCaretDownSquareFill","BIconCaretLeft","BIconCaretLeftFill","BIconCaretLeftSquare","BIconCaretLeftSquareFill","BIconCaretRight","BIconCaretRightFill","BIconCaretRightSquare","BIconCaretRightSquareFill","BIconCaretUp","BIconCaretUpFill","BIconCaretUpSquare","BIconCaretUpSquareFill","BIconCart","BIconCart2","BIconCart3","BIconCart4","BIconCartCheck","BIconCartCheckFill","BIconCartDash","BIconCartDashFill","BIconCartFill","BIconCartPlus","BIconCartPlusFill","BIconCartX","BIconCartXFill","BIconCash","BIconCashCoin","BIconCashStack","BIconCast","BIconChat","BIconChatDots","BIconChatDotsFill","BIconChatFill","BIconChatLeft","BIconChatLeftDots","BIconChatLeftDotsFill","BIconChatLeftFill","BIconChatLeftQuote","BIconChatLeftQuoteFill","BIconChatLeftText","BIconChatLeftTextFill","BIconChatQuote","BIconChatQuoteFill","BIconChatRight","BIconChatRightDots","BIconChatRightDotsFill","BIconChatRightFill","BIconChatRightQuote","BIconChatRightQuoteFill","BIconChatRightText","BIconChatRightTextFill","BIconChatSquare","BIconChatSquareDots","BIconChatSquareDotsFill","BIconChatSquareFill","BIconChatSquareQuote","BIconChatSquareQuoteFill","BIconChatSquareText","BIconChatSquareTextFill","BIconChatText","BIconChatTextFill","BIconCheck","BIconCheck2","BIconCheck2All","BIconCheck2Circle","BIconCheck2Square","BIconCheckAll","BIconCheckCircle","BIconCheckCircleFill","BIconCheckLg","BIconCheckSquare","BIconCheckSquareFill","BIconChevronBarContract","BIconChevronBarDown","BIconChevronBarExpand","BIconChevronBarLeft","BIconChevronBarRight","BIconChevronBarUp","BIconChevronCompactDown","BIconChevronCompactLeft","BIconChevronCompactRight","BIconChevronCompactUp","BIconChevronContract","BIconChevronDoubleDown","BIconChevronDoubleLeft","BIconChevronDoubleRight","BIconChevronDoubleUp","BIconChevronDown","BIconChevronExpand","BIconChevronLeft","BIconChevronRight","BIconChevronUp","BIconCircle","BIconCircleFill","BIconCircleHalf","BIconCircleSquare","BIconClipboard","BIconClipboardCheck","BIconClipboardData","BIconClipboardMinus","BIconClipboardPlus","BIconClipboardX","BIconClock","BIconClockFill","BIconClockHistory","BIconCloud","BIconCloudArrowDown","BIconCloudArrowDownFill","BIconCloudArrowUp","BIconCloudArrowUpFill","BIconCloudCheck","BIconCloudCheckFill","BIconCloudDownload","BIconCloudDownloadFill","BIconCloudDrizzle","BIconCloudDrizzleFill","BIconCloudFill","BIconCloudFog","BIconCloudFog2","BIconCloudFog2Fill","BIconCloudFogFill","BIconCloudHail","BIconCloudHailFill","BIconCloudHaze","BIconCloudHaze1","BIconCloudHaze2Fill","BIconCloudHazeFill","BIconCloudLightning","BIconCloudLightningFill","BIconCloudLightningRain","BIconCloudLightningRainFill","BIconCloudMinus","BIconCloudMinusFill","BIconCloudMoon","BIconCloudMoonFill","BIconCloudPlus","BIconCloudPlusFill","BIconCloudRain","BIconCloudRainFill","BIconCloudRainHeavy","BIconCloudRainHeavyFill","BIconCloudSlash","BIconCloudSlashFill","BIconCloudSleet","BIconCloudSleetFill","BIconCloudSnow","BIconCloudSnowFill","BIconCloudSun","BIconCloudSunFill","BIconCloudUpload","BIconCloudUploadFill","BIconClouds","BIconCloudsFill","BIconCloudy","BIconCloudyFill","BIconCode","BIconCodeSlash","BIconCodeSquare","BIconCoin","BIconCollection","BIconCollectionFill","BIconCollectionPlay","BIconCollectionPlayFill","BIconColumns","BIconColumnsGap","BIconCommand","BIconCompass","BIconCompassFill","BIconCone","BIconConeStriped","BIconController","BIconCpu","BIconCpuFill","BIconCreditCard","BIconCreditCard2Back","BIconCreditCard2BackFill","BIconCreditCard2Front","BIconCreditCard2FrontFill","BIconCreditCardFill","BIconCrop","BIconCup","BIconCupFill","BIconCupStraw","BIconCurrencyBitcoin","BIconCurrencyDollar","BIconCurrencyEuro","BIconCurrencyExchange","BIconCurrencyPound","BIconCurrencyYen","BIconCursor","BIconCursorFill","BIconCursorText","BIconDash","BIconDashCircle","BIconDashCircleDotted","BIconDashCircleFill","BIconDashLg","BIconDashSquare","BIconDashSquareDotted","BIconDashSquareFill","BIconDiagram2","BIconDiagram2Fill","BIconDiagram3","BIconDiagram3Fill","BIconDiamond","BIconDiamondFill","BIconDiamondHalf","BIconDice1","BIconDice1Fill","BIconDice2","BIconDice2Fill","BIconDice3","BIconDice3Fill","BIconDice4","BIconDice4Fill","BIconDice5","BIconDice5Fill","BIconDice6","BIconDice6Fill","BIconDisc","BIconDiscFill","BIconDiscord","BIconDisplay","BIconDisplayFill","BIconDistributeHorizontal","BIconDistributeVertical","BIconDoorClosed","BIconDoorClosedFill","BIconDoorOpen","BIconDoorOpenFill","BIconDot","BIconDownload","BIconDroplet","BIconDropletFill","BIconDropletHalf","BIconEarbuds","BIconEasel","BIconEaselFill","BIconEgg","BIconEggFill","BIconEggFried","BIconEject","BIconEjectFill","BIconEmojiAngry","BIconEmojiAngryFill","BIconEmojiDizzy","BIconEmojiDizzyFill","BIconEmojiExpressionless","BIconEmojiExpressionlessFill","BIconEmojiFrown","BIconEmojiFrownFill","BIconEmojiHeartEyes","BIconEmojiHeartEyesFill","BIconEmojiLaughing","BIconEmojiLaughingFill","BIconEmojiNeutral","BIconEmojiNeutralFill","BIconEmojiSmile","BIconEmojiSmileFill","BIconEmojiSmileUpsideDown","BIconEmojiSmileUpsideDownFill","BIconEmojiSunglasses","BIconEmojiSunglassesFill","BIconEmojiWink","BIconEmojiWinkFill","BIconEnvelope","BIconEnvelopeFill","BIconEnvelopeOpen","BIconEnvelopeOpenFill","BIconEraser","BIconEraserFill","BIconExclamation","BIconExclamationCircle","BIconExclamationCircleFill","BIconExclamationDiamond","BIconExclamationDiamondFill","BIconExclamationLg","BIconExclamationOctagon","BIconExclamationOctagonFill","BIconExclamationSquare","BIconExclamationSquareFill","BIconExclamationTriangle","BIconExclamationTriangleFill","BIconExclude","BIconEye","BIconEyeFill","BIconEyeSlash","BIconEyeSlashFill","BIconEyedropper","BIconEyeglasses","BIconFacebook","BIconFile","BIconFileArrowDown","BIconFileArrowDownFill","BIconFileArrowUp","BIconFileArrowUpFill","BIconFileBarGraph","BIconFileBarGraphFill","BIconFileBinary","BIconFileBinaryFill","BIconFileBreak","BIconFileBreakFill","BIconFileCheck","BIconFileCheckFill","BIconFileCode","BIconFileCodeFill","BIconFileDiff","BIconFileDiffFill","BIconFileEarmark","BIconFileEarmarkArrowDown","BIconFileEarmarkArrowDownFill","BIconFileEarmarkArrowUp","BIconFileEarmarkArrowUpFill","BIconFileEarmarkBarGraph","BIconFileEarmarkBarGraphFill","BIconFileEarmarkBinary","BIconFileEarmarkBinaryFill","BIconFileEarmarkBreak","BIconFileEarmarkBreakFill","BIconFileEarmarkCheck","BIconFileEarmarkCheckFill","BIconFileEarmarkCode","BIconFileEarmarkCodeFill","BIconFileEarmarkDiff","BIconFileEarmarkDiffFill","BIconFileEarmarkEasel","BIconFileEarmarkEaselFill","BIconFileEarmarkExcel","BIconFileEarmarkExcelFill","BIconFileEarmarkFill","BIconFileEarmarkFont","BIconFileEarmarkFontFill","BIconFileEarmarkImage","BIconFileEarmarkImageFill","BIconFileEarmarkLock","BIconFileEarmarkLock2","BIconFileEarmarkLock2Fill","BIconFileEarmarkLockFill","BIconFileEarmarkMedical","BIconFileEarmarkMedicalFill","BIconFileEarmarkMinus","BIconFileEarmarkMinusFill","BIconFileEarmarkMusic","BIconFileEarmarkMusicFill","BIconFileEarmarkPdf","BIconFileEarmarkPdfFill","BIconFileEarmarkPerson","BIconFileEarmarkPersonFill","BIconFileEarmarkPlay","BIconFileEarmarkPlayFill","BIconFileEarmarkPlus","BIconFileEarmarkPlusFill","BIconFileEarmarkPost","BIconFileEarmarkPostFill","BIconFileEarmarkPpt","BIconFileEarmarkPptFill","BIconFileEarmarkRichtext","BIconFileEarmarkRichtextFill","BIconFileEarmarkRuled","BIconFileEarmarkRuledFill","BIconFileEarmarkSlides","BIconFileEarmarkSlidesFill","BIconFileEarmarkSpreadsheet","BIconFileEarmarkSpreadsheetFill","BIconFileEarmarkText","BIconFileEarmarkTextFill","BIconFileEarmarkWord","BIconFileEarmarkWordFill","BIconFileEarmarkX","BIconFileEarmarkXFill","BIconFileEarmarkZip","BIconFileEarmarkZipFill","BIconFileEasel","BIconFileEaselFill","BIconFileExcel","BIconFileExcelFill","BIconFileFill","BIconFileFont","BIconFileFontFill","BIconFileImage","BIconFileImageFill","BIconFileLock","BIconFileLock2","BIconFileLock2Fill","BIconFileLockFill","BIconFileMedical","BIconFileMedicalFill","BIconFileMinus","BIconFileMinusFill","BIconFileMusic","BIconFileMusicFill","BIconFilePdf","BIconFilePdfFill","BIconFilePerson","BIconFilePersonFill","BIconFilePlay","BIconFilePlayFill","BIconFilePlus","BIconFilePlusFill","BIconFilePost","BIconFilePostFill","BIconFilePpt","BIconFilePptFill","BIconFileRichtext","BIconFileRichtextFill","BIconFileRuled","BIconFileRuledFill","BIconFileSlides","BIconFileSlidesFill","BIconFileSpreadsheet","BIconFileSpreadsheetFill","BIconFileText","BIconFileTextFill","BIconFileWord","BIconFileWordFill","BIconFileX","BIconFileXFill","BIconFileZip","BIconFileZipFill","BIconFiles","BIconFilesAlt","BIconFilm","BIconFilter","BIconFilterCircle","BIconFilterCircleFill","BIconFilterLeft","BIconFilterRight","BIconFilterSquare","BIconFilterSquareFill","BIconFlag","BIconFlagFill","BIconFlower1","BIconFlower2","BIconFlower3","BIconFolder","BIconFolder2","BIconFolder2Open","BIconFolderCheck","BIconFolderFill","BIconFolderMinus","BIconFolderPlus","BIconFolderSymlink","BIconFolderSymlinkFill","BIconFolderX","BIconFonts","BIconForward","BIconForwardFill","BIconFront","BIconFullscreen","BIconFullscreenExit","BIconFunnel","BIconFunnelFill","BIconGear","BIconGearFill","BIconGearWide","BIconGearWideConnected","BIconGem","BIconGenderAmbiguous","BIconGenderFemale","BIconGenderMale","BIconGenderTrans","BIconGeo","BIconGeoAlt","BIconGeoAltFill","BIconGeoFill","BIconGift","BIconGiftFill","BIconGithub","BIconGlobe","BIconGlobe2","BIconGoogle","BIconGraphDown","BIconGraphUp","BIconGrid","BIconGrid1x2","BIconGrid1x2Fill","BIconGrid3x2","BIconGrid3x2Gap","BIconGrid3x2GapFill","BIconGrid3x3","BIconGrid3x3Gap","BIconGrid3x3GapFill","BIconGridFill","BIconGripHorizontal","BIconGripVertical","BIconHammer","BIconHandIndex","BIconHandIndexFill","BIconHandIndexThumb","BIconHandIndexThumbFill","BIconHandThumbsDown","BIconHandThumbsDownFill","BIconHandThumbsUp","BIconHandThumbsUpFill","BIconHandbag","BIconHandbagFill","BIconHash","BIconHdd","BIconHddFill","BIconHddNetwork","BIconHddNetworkFill","BIconHddRack","BIconHddRackFill","BIconHddStack","BIconHddStackFill","BIconHeadphones","BIconHeadset","BIconHeadsetVr","BIconHeart","BIconHeartFill","BIconHeartHalf","BIconHeptagon","BIconHeptagonFill","BIconHeptagonHalf","BIconHexagon","BIconHexagonFill","BIconHexagonHalf","BIconHourglass","BIconHourglassBottom","BIconHourglassSplit","BIconHourglassTop","BIconHouse","BIconHouseDoor","BIconHouseDoorFill","BIconHouseFill","BIconHr","BIconHurricane","BIconImage","BIconImageAlt","BIconImageFill","BIconImages","BIconInbox","BIconInboxFill","BIconInboxes","BIconInboxesFill","BIconInfo","BIconInfoCircle","BIconInfoCircleFill","BIconInfoLg","BIconInfoSquare","BIconInfoSquareFill","BIconInputCursor","BIconInputCursorText","BIconInstagram","BIconIntersect","BIconJournal","BIconJournalAlbum","BIconJournalArrowDown","BIconJournalArrowUp","BIconJournalBookmark","BIconJournalBookmarkFill","BIconJournalCheck","BIconJournalCode","BIconJournalMedical","BIconJournalMinus","BIconJournalPlus","BIconJournalRichtext","BIconJournalText","BIconJournalX","BIconJournals","BIconJoystick","BIconJustify","BIconJustifyLeft","BIconJustifyRight","BIconKanban","BIconKanbanFill","BIconKey","BIconKeyFill","BIconKeyboard","BIconKeyboardFill","BIconLadder","BIconLamp","BIconLampFill","BIconLaptop","BIconLaptopFill","BIconLayerBackward","BIconLayerForward","BIconLayers","BIconLayersFill","BIconLayersHalf","BIconLayoutSidebar","BIconLayoutSidebarInset","BIconLayoutSidebarInsetReverse","BIconLayoutSidebarReverse","BIconLayoutSplit","BIconLayoutTextSidebar","BIconLayoutTextSidebarReverse","BIconLayoutTextWindow","BIconLayoutTextWindowReverse","BIconLayoutThreeColumns","BIconLayoutWtf","BIconLifePreserver","BIconLightbulb","BIconLightbulbFill","BIconLightbulbOff","BIconLightbulbOffFill","BIconLightning","BIconLightningCharge","BIconLightningChargeFill","BIconLightningFill","BIconLink","BIconLink45deg","BIconLinkedin","BIconList","BIconListCheck","BIconListNested","BIconListOl","BIconListStars","BIconListTask","BIconListUl","BIconLock","BIconLockFill","BIconMailbox","BIconMailbox2","BIconMap","BIconMapFill","BIconMarkdown","BIconMarkdownFill","BIconMask","BIconMastodon","BIconMegaphone","BIconMegaphoneFill","BIconMenuApp","BIconMenuAppFill","BIconMenuButton","BIconMenuButtonFill","BIconMenuButtonWide","BIconMenuButtonWideFill","BIconMenuDown","BIconMenuUp","BIconMessenger","BIconMic","BIconMicFill","BIconMicMute","BIconMicMuteFill","BIconMinecart","BIconMinecartLoaded","BIconMoisture","BIconMoon","BIconMoonFill","BIconMoonStars","BIconMoonStarsFill","BIconMouse","BIconMouse2","BIconMouse2Fill","BIconMouse3","BIconMouse3Fill","BIconMouseFill","BIconMusicNote","BIconMusicNoteBeamed","BIconMusicNoteList","BIconMusicPlayer","BIconMusicPlayerFill","BIconNewspaper","BIconNodeMinus","BIconNodeMinusFill","BIconNodePlus","BIconNodePlusFill","BIconNut","BIconNutFill","BIconOctagon","BIconOctagonFill","BIconOctagonHalf","BIconOption","BIconOutlet","BIconPaintBucket","BIconPalette","BIconPalette2","BIconPaletteFill","BIconPaperclip","BIconParagraph","BIconPatchCheck","BIconPatchCheckFill","BIconPatchExclamation","BIconPatchExclamationFill","BIconPatchMinus","BIconPatchMinusFill","BIconPatchPlus","BIconPatchPlusFill","BIconPatchQuestion","BIconPatchQuestionFill","BIconPause","BIconPauseBtn","BIconPauseBtnFill","BIconPauseCircle","BIconPauseCircleFill","BIconPauseFill","BIconPeace","BIconPeaceFill","BIconPen","BIconPenFill","BIconPencil","BIconPencilFill","BIconPencilSquare","BIconPentagon","BIconPentagonFill","BIconPentagonHalf","BIconPeople","BIconPeopleFill","BIconPercent","BIconPerson","BIconPersonBadge","BIconPersonBadgeFill","BIconPersonBoundingBox","BIconPersonCheck","BIconPersonCheckFill","BIconPersonCircle","BIconPersonDash","BIconPersonDashFill","BIconPersonFill","BIconPersonLinesFill","BIconPersonPlus","BIconPersonPlusFill","BIconPersonSquare","BIconPersonX","BIconPersonXFill","BIconPhone","BIconPhoneFill","BIconPhoneLandscape","BIconPhoneLandscapeFill","BIconPhoneVibrate","BIconPhoneVibrateFill","BIconPieChart","BIconPieChartFill","BIconPiggyBank","BIconPiggyBankFill","BIconPin","BIconPinAngle","BIconPinAngleFill","BIconPinFill","BIconPinMap","BIconPinMapFill","BIconPip","BIconPipFill","BIconPlay","BIconPlayBtn","BIconPlayBtnFill","BIconPlayCircle","BIconPlayCircleFill","BIconPlayFill","BIconPlug","BIconPlugFill","BIconPlus","BIconPlusCircle","BIconPlusCircleDotted","BIconPlusCircleFill","BIconPlusLg","BIconPlusSquare","BIconPlusSquareDotted","BIconPlusSquareFill","BIconPower","BIconPrinter","BIconPrinterFill","BIconPuzzle","BIconPuzzleFill","BIconQuestion","BIconQuestionCircle","BIconQuestionCircleFill","BIconQuestionDiamond","BIconQuestionDiamondFill","BIconQuestionLg","BIconQuestionOctagon","BIconQuestionOctagonFill","BIconQuestionSquare","BIconQuestionSquareFill","BIconRainbow","BIconReceipt","BIconReceiptCutoff","BIconReception0","BIconReception1","BIconReception2","BIconReception3","BIconReception4","BIconRecord","BIconRecord2","BIconRecord2Fill","BIconRecordBtn","BIconRecordBtnFill","BIconRecordCircle","BIconRecordCircleFill","BIconRecordFill","BIconRecycle","BIconReddit","BIconReply","BIconReplyAll","BIconReplyAllFill","BIconReplyFill","BIconRss","BIconRssFill","BIconRulers","BIconSafe","BIconSafe2","BIconSafe2Fill","BIconSafeFill","BIconSave","BIconSave2","BIconSave2Fill","BIconSaveFill","BIconScissors","BIconScrewdriver","BIconSdCard","BIconSdCardFill","BIconSearch","BIconSegmentedNav","BIconServer","BIconShare","BIconShareFill","BIconShield","BIconShieldCheck","BIconShieldExclamation","BIconShieldFill","BIconShieldFillCheck","BIconShieldFillExclamation","BIconShieldFillMinus","BIconShieldFillPlus","BIconShieldFillX","BIconShieldLock","BIconShieldLockFill","BIconShieldMinus","BIconShieldPlus","BIconShieldShaded","BIconShieldSlash","BIconShieldSlashFill","BIconShieldX","BIconShift","BIconShiftFill","BIconShop","BIconShopWindow","BIconShuffle","BIconSignpost","BIconSignpost2","BIconSignpost2Fill","BIconSignpostFill","BIconSignpostSplit","BIconSignpostSplitFill","BIconSim","BIconSimFill","BIconSkipBackward","BIconSkipBackwardBtn","BIconSkipBackwardBtnFill","BIconSkipBackwardCircle","BIconSkipBackwardCircleFill","BIconSkipBackwardFill","BIconSkipEnd","BIconSkipEndBtn","BIconSkipEndBtnFill","BIconSkipEndCircle","BIconSkipEndCircleFill","BIconSkipEndFill","BIconSkipForward","BIconSkipForwardBtn","BIconSkipForwardBtnFill","BIconSkipForwardCircle","BIconSkipForwardCircleFill","BIconSkipForwardFill","BIconSkipStart","BIconSkipStartBtn","BIconSkipStartBtnFill","BIconSkipStartCircle","BIconSkipStartCircleFill","BIconSkipStartFill","BIconSkype","BIconSlack","BIconSlash","BIconSlashCircle","BIconSlashCircleFill","BIconSlashLg","BIconSlashSquare","BIconSlashSquareFill","BIconSliders","BIconSmartwatch","BIconSnow","BIconSnow2","BIconSnow3","BIconSortAlphaDown","BIconSortAlphaDownAlt","BIconSortAlphaUp","BIconSortAlphaUpAlt","BIconSortDown","BIconSortDownAlt","BIconSortNumericDown","BIconSortNumericDownAlt","BIconSortNumericUp","BIconSortNumericUpAlt","BIconSortUp","BIconSortUpAlt","BIconSoundwave","BIconSpeaker","BIconSpeakerFill","BIconSpeedometer","BIconSpeedometer2","BIconSpellcheck","BIconSquare","BIconSquareFill","BIconSquareHalf","BIconStack","BIconStar","BIconStarFill","BIconStarHalf","BIconStars","BIconStickies","BIconStickiesFill","BIconSticky","BIconStickyFill","BIconStop","BIconStopBtn","BIconStopBtnFill","BIconStopCircle","BIconStopCircleFill","BIconStopFill","BIconStoplights","BIconStoplightsFill","BIconStopwatch","BIconStopwatchFill","BIconSubtract","BIconSuitClub","BIconSuitClubFill","BIconSuitDiamond","BIconSuitDiamondFill","BIconSuitHeart","BIconSuitHeartFill","BIconSuitSpade","BIconSuitSpadeFill","BIconSun","BIconSunFill","BIconSunglasses","BIconSunrise","BIconSunriseFill","BIconSunset","BIconSunsetFill","BIconSymmetryHorizontal","BIconSymmetryVertical","BIconTable","BIconTablet","BIconTabletFill","BIconTabletLandscape","BIconTabletLandscapeFill","BIconTag","BIconTagFill","BIconTags","BIconTagsFill","BIconTelegram","BIconTelephone","BIconTelephoneFill","BIconTelephoneForward","BIconTelephoneForwardFill","BIconTelephoneInbound","BIconTelephoneInboundFill","BIconTelephoneMinus","BIconTelephoneMinusFill","BIconTelephoneOutbound","BIconTelephoneOutboundFill","BIconTelephonePlus","BIconTelephonePlusFill","BIconTelephoneX","BIconTelephoneXFill","BIconTerminal","BIconTerminalFill","BIconTextCenter","BIconTextIndentLeft","BIconTextIndentRight","BIconTextLeft","BIconTextParagraph","BIconTextRight","BIconTextarea","BIconTextareaResize","BIconTextareaT","BIconThermometer","BIconThermometerHalf","BIconThermometerHigh","BIconThermometerLow","BIconThermometerSnow","BIconThermometerSun","BIconThreeDots","BIconThreeDotsVertical","BIconToggle2Off","BIconToggle2On","BIconToggleOff","BIconToggleOn","BIconToggles","BIconToggles2","BIconTools","BIconTornado","BIconTranslate","BIconTrash","BIconTrash2","BIconTrash2Fill","BIconTrashFill","BIconTree","BIconTreeFill","BIconTriangle","BIconTriangleFill","BIconTriangleHalf","BIconTrophy","BIconTrophyFill","BIconTropicalStorm","BIconTruck","BIconTruckFlatbed","BIconTsunami","BIconTv","BIconTvFill","BIconTwitch","BIconTwitter","BIconType","BIconTypeBold","BIconTypeH1","BIconTypeH2","BIconTypeH3","BIconTypeItalic","BIconTypeStrikethrough","BIconTypeUnderline","BIconUiChecks","BIconUiChecksGrid","BIconUiRadios","BIconUiRadiosGrid","BIconUmbrella","BIconUmbrellaFill","BIconUnion","BIconUnlock","BIconUnlockFill","BIconUpc","BIconUpcScan","BIconUpload","BIconVectorPen","BIconViewList","BIconViewStacked","BIconVinyl","BIconVinylFill","BIconVoicemail","BIconVolumeDown","BIconVolumeDownFill","BIconVolumeMute","BIconVolumeMuteFill","BIconVolumeOff","BIconVolumeOffFill","BIconVolumeUp","BIconVolumeUpFill","BIconVr","BIconWallet","BIconWallet2","BIconWalletFill","BIconWatch","BIconWater","BIconWhatsapp","BIconWifi","BIconWifi1","BIconWifi2","BIconWifiOff","BIconWind","BIconWindow","BIconWindowDock","BIconWindowSidebar","BIconWrench","BIconX","BIconXCircle","BIconXCircleFill","BIconXDiamond","BIconXDiamondFill","BIconXLg","BIconXOctagon","BIconXOctagonFill","BIconXSquare","BIconXSquareFill","BIconYoutube","BIconZoomIn","BIconZoomOut"],l=(0,a.pluginFactoryNoConfig)({components:{BIcon:r.BIcon,BIconstack:o.BIconstack,BIconBlank:i.BIconBlank,BIconAlarm:i.BIconAlarm,BIconAlarmFill:i.BIconAlarmFill,BIconAlignBottom:i.BIconAlignBottom,BIconAlignCenter:i.BIconAlignCenter,BIconAlignEnd:i.BIconAlignEnd,BIconAlignMiddle:i.BIconAlignMiddle,BIconAlignStart:i.BIconAlignStart,BIconAlignTop:i.BIconAlignTop,BIconAlt:i.BIconAlt,BIconApp:i.BIconApp,BIconAppIndicator:i.BIconAppIndicator,BIconArchive:i.BIconArchive,BIconArchiveFill:i.BIconArchiveFill,BIconArrow90degDown:i.BIconArrow90degDown,BIconArrow90degLeft:i.BIconArrow90degLeft,BIconArrow90degRight:i.BIconArrow90degRight,BIconArrow90degUp:i.BIconArrow90degUp,BIconArrowBarDown:i.BIconArrowBarDown,BIconArrowBarLeft:i.BIconArrowBarLeft,BIconArrowBarRight:i.BIconArrowBarRight,BIconArrowBarUp:i.BIconArrowBarUp,BIconArrowClockwise:i.BIconArrowClockwise,BIconArrowCounterclockwise:i.BIconArrowCounterclockwise,BIconArrowDown:i.BIconArrowDown,BIconArrowDownCircle:i.BIconArrowDownCircle,BIconArrowDownCircleFill:i.BIconArrowDownCircleFill,BIconArrowDownLeft:i.BIconArrowDownLeft,BIconArrowDownLeftCircle:i.BIconArrowDownLeftCircle,BIconArrowDownLeftCircleFill:i.BIconArrowDownLeftCircleFill,BIconArrowDownLeftSquare:i.BIconArrowDownLeftSquare,BIconArrowDownLeftSquareFill:i.BIconArrowDownLeftSquareFill,BIconArrowDownRight:i.BIconArrowDownRight,BIconArrowDownRightCircle:i.BIconArrowDownRightCircle,BIconArrowDownRightCircleFill:i.BIconArrowDownRightCircleFill,BIconArrowDownRightSquare:i.BIconArrowDownRightSquare,BIconArrowDownRightSquareFill:i.BIconArrowDownRightSquareFill,BIconArrowDownShort:i.BIconArrowDownShort,BIconArrowDownSquare:i.BIconArrowDownSquare,BIconArrowDownSquareFill:i.BIconArrowDownSquareFill,BIconArrowDownUp:i.BIconArrowDownUp,BIconArrowLeft:i.BIconArrowLeft,BIconArrowLeftCircle:i.BIconArrowLeftCircle,BIconArrowLeftCircleFill:i.BIconArrowLeftCircleFill,BIconArrowLeftRight:i.BIconArrowLeftRight,BIconArrowLeftShort:i.BIconArrowLeftShort,BIconArrowLeftSquare:i.BIconArrowLeftSquare,BIconArrowLeftSquareFill:i.BIconArrowLeftSquareFill,BIconArrowRepeat:i.BIconArrowRepeat,BIconArrowReturnLeft:i.BIconArrowReturnLeft,BIconArrowReturnRight:i.BIconArrowReturnRight,BIconArrowRight:i.BIconArrowRight,BIconArrowRightCircle:i.BIconArrowRightCircle,BIconArrowRightCircleFill:i.BIconArrowRightCircleFill,BIconArrowRightShort:i.BIconArrowRightShort,BIconArrowRightSquare:i.BIconArrowRightSquare,BIconArrowRightSquareFill:i.BIconArrowRightSquareFill,BIconArrowUp:i.BIconArrowUp,BIconArrowUpCircle:i.BIconArrowUpCircle,BIconArrowUpCircleFill:i.BIconArrowUpCircleFill,BIconArrowUpLeft:i.BIconArrowUpLeft,BIconArrowUpLeftCircle:i.BIconArrowUpLeftCircle,BIconArrowUpLeftCircleFill:i.BIconArrowUpLeftCircleFill,BIconArrowUpLeftSquare:i.BIconArrowUpLeftSquare,BIconArrowUpLeftSquareFill:i.BIconArrowUpLeftSquareFill,BIconArrowUpRight:i.BIconArrowUpRight,BIconArrowUpRightCircle:i.BIconArrowUpRightCircle,BIconArrowUpRightCircleFill:i.BIconArrowUpRightCircleFill,BIconArrowUpRightSquare:i.BIconArrowUpRightSquare,BIconArrowUpRightSquareFill:i.BIconArrowUpRightSquareFill,BIconArrowUpShort:i.BIconArrowUpShort,BIconArrowUpSquare:i.BIconArrowUpSquare,BIconArrowUpSquareFill:i.BIconArrowUpSquareFill,BIconArrowsAngleContract:i.BIconArrowsAngleContract,BIconArrowsAngleExpand:i.BIconArrowsAngleExpand,BIconArrowsCollapse:i.BIconArrowsCollapse,BIconArrowsExpand:i.BIconArrowsExpand,BIconArrowsFullscreen:i.BIconArrowsFullscreen,BIconArrowsMove:i.BIconArrowsMove,BIconAspectRatio:i.BIconAspectRatio,BIconAspectRatioFill:i.BIconAspectRatioFill,BIconAsterisk:i.BIconAsterisk,BIconAt:i.BIconAt,BIconAward:i.BIconAward,BIconAwardFill:i.BIconAwardFill,BIconBack:i.BIconBack,BIconBackspace:i.BIconBackspace,BIconBackspaceFill:i.BIconBackspaceFill,BIconBackspaceReverse:i.BIconBackspaceReverse,BIconBackspaceReverseFill:i.BIconBackspaceReverseFill,BIconBadge3d:i.BIconBadge3d,BIconBadge3dFill:i.BIconBadge3dFill,BIconBadge4k:i.BIconBadge4k,BIconBadge4kFill:i.BIconBadge4kFill,BIconBadge8k:i.BIconBadge8k,BIconBadge8kFill:i.BIconBadge8kFill,BIconBadgeAd:i.BIconBadgeAd,BIconBadgeAdFill:i.BIconBadgeAdFill,BIconBadgeAr:i.BIconBadgeAr,BIconBadgeArFill:i.BIconBadgeArFill,BIconBadgeCc:i.BIconBadgeCc,BIconBadgeCcFill:i.BIconBadgeCcFill,BIconBadgeHd:i.BIconBadgeHd,BIconBadgeHdFill:i.BIconBadgeHdFill,BIconBadgeTm:i.BIconBadgeTm,BIconBadgeTmFill:i.BIconBadgeTmFill,BIconBadgeVo:i.BIconBadgeVo,BIconBadgeVoFill:i.BIconBadgeVoFill,BIconBadgeVr:i.BIconBadgeVr,BIconBadgeVrFill:i.BIconBadgeVrFill,BIconBadgeWc:i.BIconBadgeWc,BIconBadgeWcFill:i.BIconBadgeWcFill,BIconBag:i.BIconBag,BIconBagCheck:i.BIconBagCheck,BIconBagCheckFill:i.BIconBagCheckFill,BIconBagDash:i.BIconBagDash,BIconBagDashFill:i.BIconBagDashFill,BIconBagFill:i.BIconBagFill,BIconBagPlus:i.BIconBagPlus,BIconBagPlusFill:i.BIconBagPlusFill,BIconBagX:i.BIconBagX,BIconBagXFill:i.BIconBagXFill,BIconBank:i.BIconBank,BIconBank2:i.BIconBank2,BIconBarChart:i.BIconBarChart,BIconBarChartFill:i.BIconBarChartFill,BIconBarChartLine:i.BIconBarChartLine,BIconBarChartLineFill:i.BIconBarChartLineFill,BIconBarChartSteps:i.BIconBarChartSteps,BIconBasket:i.BIconBasket,BIconBasket2:i.BIconBasket2,BIconBasket2Fill:i.BIconBasket2Fill,BIconBasket3:i.BIconBasket3,BIconBasket3Fill:i.BIconBasket3Fill,BIconBasketFill:i.BIconBasketFill,BIconBattery:i.BIconBattery,BIconBatteryCharging:i.BIconBatteryCharging,BIconBatteryFull:i.BIconBatteryFull,BIconBatteryHalf:i.BIconBatteryHalf,BIconBell:i.BIconBell,BIconBellFill:i.BIconBellFill,BIconBellSlash:i.BIconBellSlash,BIconBellSlashFill:i.BIconBellSlashFill,BIconBezier:i.BIconBezier,BIconBezier2:i.BIconBezier2,BIconBicycle:i.BIconBicycle,BIconBinoculars:i.BIconBinoculars,BIconBinocularsFill:i.BIconBinocularsFill,BIconBlockquoteLeft:i.BIconBlockquoteLeft,BIconBlockquoteRight:i.BIconBlockquoteRight,BIconBook:i.BIconBook,BIconBookFill:i.BIconBookFill,BIconBookHalf:i.BIconBookHalf,BIconBookmark:i.BIconBookmark,BIconBookmarkCheck:i.BIconBookmarkCheck,BIconBookmarkCheckFill:i.BIconBookmarkCheckFill,BIconBookmarkDash:i.BIconBookmarkDash,BIconBookmarkDashFill:i.BIconBookmarkDashFill,BIconBookmarkFill:i.BIconBookmarkFill,BIconBookmarkHeart:i.BIconBookmarkHeart,BIconBookmarkHeartFill:i.BIconBookmarkHeartFill,BIconBookmarkPlus:i.BIconBookmarkPlus,BIconBookmarkPlusFill:i.BIconBookmarkPlusFill,BIconBookmarkStar:i.BIconBookmarkStar,BIconBookmarkStarFill:i.BIconBookmarkStarFill,BIconBookmarkX:i.BIconBookmarkX,BIconBookmarkXFill:i.BIconBookmarkXFill,BIconBookmarks:i.BIconBookmarks,BIconBookmarksFill:i.BIconBookmarksFill,BIconBookshelf:i.BIconBookshelf,BIconBootstrap:i.BIconBootstrap,BIconBootstrapFill:i.BIconBootstrapFill,BIconBootstrapReboot:i.BIconBootstrapReboot,BIconBorder:i.BIconBorder,BIconBorderAll:i.BIconBorderAll,BIconBorderBottom:i.BIconBorderBottom,BIconBorderCenter:i.BIconBorderCenter,BIconBorderInner:i.BIconBorderInner,BIconBorderLeft:i.BIconBorderLeft,BIconBorderMiddle:i.BIconBorderMiddle,BIconBorderOuter:i.BIconBorderOuter,BIconBorderRight:i.BIconBorderRight,BIconBorderStyle:i.BIconBorderStyle,BIconBorderTop:i.BIconBorderTop,BIconBorderWidth:i.BIconBorderWidth,BIconBoundingBox:i.BIconBoundingBox,BIconBoundingBoxCircles:i.BIconBoundingBoxCircles,BIconBox:i.BIconBox,BIconBoxArrowDown:i.BIconBoxArrowDown,BIconBoxArrowDownLeft:i.BIconBoxArrowDownLeft,BIconBoxArrowDownRight:i.BIconBoxArrowDownRight,BIconBoxArrowInDown:i.BIconBoxArrowInDown,BIconBoxArrowInDownLeft:i.BIconBoxArrowInDownLeft,BIconBoxArrowInDownRight:i.BIconBoxArrowInDownRight,BIconBoxArrowInLeft:i.BIconBoxArrowInLeft,BIconBoxArrowInRight:i.BIconBoxArrowInRight,BIconBoxArrowInUp:i.BIconBoxArrowInUp,BIconBoxArrowInUpLeft:i.BIconBoxArrowInUpLeft,BIconBoxArrowInUpRight:i.BIconBoxArrowInUpRight,BIconBoxArrowLeft:i.BIconBoxArrowLeft,BIconBoxArrowRight:i.BIconBoxArrowRight,BIconBoxArrowUp:i.BIconBoxArrowUp,BIconBoxArrowUpLeft:i.BIconBoxArrowUpLeft,BIconBoxArrowUpRight:i.BIconBoxArrowUpRight,BIconBoxSeam:i.BIconBoxSeam,BIconBraces:i.BIconBraces,BIconBricks:i.BIconBricks,BIconBriefcase:i.BIconBriefcase,BIconBriefcaseFill:i.BIconBriefcaseFill,BIconBrightnessAltHigh:i.BIconBrightnessAltHigh,BIconBrightnessAltHighFill:i.BIconBrightnessAltHighFill,BIconBrightnessAltLow:i.BIconBrightnessAltLow,BIconBrightnessAltLowFill:i.BIconBrightnessAltLowFill,BIconBrightnessHigh:i.BIconBrightnessHigh,BIconBrightnessHighFill:i.BIconBrightnessHighFill,BIconBrightnessLow:i.BIconBrightnessLow,BIconBrightnessLowFill:i.BIconBrightnessLowFill,BIconBroadcast:i.BIconBroadcast,BIconBroadcastPin:i.BIconBroadcastPin,BIconBrush:i.BIconBrush,BIconBrushFill:i.BIconBrushFill,BIconBucket:i.BIconBucket,BIconBucketFill:i.BIconBucketFill,BIconBug:i.BIconBug,BIconBugFill:i.BIconBugFill,BIconBuilding:i.BIconBuilding,BIconBullseye:i.BIconBullseye,BIconCalculator:i.BIconCalculator,BIconCalculatorFill:i.BIconCalculatorFill,BIconCalendar:i.BIconCalendar,BIconCalendar2:i.BIconCalendar2,BIconCalendar2Check:i.BIconCalendar2Check,BIconCalendar2CheckFill:i.BIconCalendar2CheckFill,BIconCalendar2Date:i.BIconCalendar2Date,BIconCalendar2DateFill:i.BIconCalendar2DateFill,BIconCalendar2Day:i.BIconCalendar2Day,BIconCalendar2DayFill:i.BIconCalendar2DayFill,BIconCalendar2Event:i.BIconCalendar2Event,BIconCalendar2EventFill:i.BIconCalendar2EventFill,BIconCalendar2Fill:i.BIconCalendar2Fill,BIconCalendar2Minus:i.BIconCalendar2Minus,BIconCalendar2MinusFill:i.BIconCalendar2MinusFill,BIconCalendar2Month:i.BIconCalendar2Month,BIconCalendar2MonthFill:i.BIconCalendar2MonthFill,BIconCalendar2Plus:i.BIconCalendar2Plus,BIconCalendar2PlusFill:i.BIconCalendar2PlusFill,BIconCalendar2Range:i.BIconCalendar2Range,BIconCalendar2RangeFill:i.BIconCalendar2RangeFill,BIconCalendar2Week:i.BIconCalendar2Week,BIconCalendar2WeekFill:i.BIconCalendar2WeekFill,BIconCalendar2X:i.BIconCalendar2X,BIconCalendar2XFill:i.BIconCalendar2XFill,BIconCalendar3:i.BIconCalendar3,BIconCalendar3Event:i.BIconCalendar3Event,BIconCalendar3EventFill:i.BIconCalendar3EventFill,BIconCalendar3Fill:i.BIconCalendar3Fill,BIconCalendar3Range:i.BIconCalendar3Range,BIconCalendar3RangeFill:i.BIconCalendar3RangeFill,BIconCalendar3Week:i.BIconCalendar3Week,BIconCalendar3WeekFill:i.BIconCalendar3WeekFill,BIconCalendar4:i.BIconCalendar4,BIconCalendar4Event:i.BIconCalendar4Event,BIconCalendar4Range:i.BIconCalendar4Range,BIconCalendar4Week:i.BIconCalendar4Week,BIconCalendarCheck:i.BIconCalendarCheck,BIconCalendarCheckFill:i.BIconCalendarCheckFill,BIconCalendarDate:i.BIconCalendarDate,BIconCalendarDateFill:i.BIconCalendarDateFill,BIconCalendarDay:i.BIconCalendarDay,BIconCalendarDayFill:i.BIconCalendarDayFill,BIconCalendarEvent:i.BIconCalendarEvent,BIconCalendarEventFill:i.BIconCalendarEventFill,BIconCalendarFill:i.BIconCalendarFill,BIconCalendarMinus:i.BIconCalendarMinus,BIconCalendarMinusFill:i.BIconCalendarMinusFill,BIconCalendarMonth:i.BIconCalendarMonth,BIconCalendarMonthFill:i.BIconCalendarMonthFill,BIconCalendarPlus:i.BIconCalendarPlus,BIconCalendarPlusFill:i.BIconCalendarPlusFill,BIconCalendarRange:i.BIconCalendarRange,BIconCalendarRangeFill:i.BIconCalendarRangeFill,BIconCalendarWeek:i.BIconCalendarWeek,BIconCalendarWeekFill:i.BIconCalendarWeekFill,BIconCalendarX:i.BIconCalendarX,BIconCalendarXFill:i.BIconCalendarXFill,BIconCamera:i.BIconCamera,BIconCamera2:i.BIconCamera2,BIconCameraFill:i.BIconCameraFill,BIconCameraReels:i.BIconCameraReels,BIconCameraReelsFill:i.BIconCameraReelsFill,BIconCameraVideo:i.BIconCameraVideo,BIconCameraVideoFill:i.BIconCameraVideoFill,BIconCameraVideoOff:i.BIconCameraVideoOff,BIconCameraVideoOffFill:i.BIconCameraVideoOffFill,BIconCapslock:i.BIconCapslock,BIconCapslockFill:i.BIconCapslockFill,BIconCardChecklist:i.BIconCardChecklist,BIconCardHeading:i.BIconCardHeading,BIconCardImage:i.BIconCardImage,BIconCardList:i.BIconCardList,BIconCardText:i.BIconCardText,BIconCaretDown:i.BIconCaretDown,BIconCaretDownFill:i.BIconCaretDownFill,BIconCaretDownSquare:i.BIconCaretDownSquare,BIconCaretDownSquareFill:i.BIconCaretDownSquareFill,BIconCaretLeft:i.BIconCaretLeft,BIconCaretLeftFill:i.BIconCaretLeftFill,BIconCaretLeftSquare:i.BIconCaretLeftSquare,BIconCaretLeftSquareFill:i.BIconCaretLeftSquareFill,BIconCaretRight:i.BIconCaretRight,BIconCaretRightFill:i.BIconCaretRightFill,BIconCaretRightSquare:i.BIconCaretRightSquare,BIconCaretRightSquareFill:i.BIconCaretRightSquareFill,BIconCaretUp:i.BIconCaretUp,BIconCaretUpFill:i.BIconCaretUpFill,BIconCaretUpSquare:i.BIconCaretUpSquare,BIconCaretUpSquareFill:i.BIconCaretUpSquareFill,BIconCart:i.BIconCart,BIconCart2:i.BIconCart2,BIconCart3:i.BIconCart3,BIconCart4:i.BIconCart4,BIconCartCheck:i.BIconCartCheck,BIconCartCheckFill:i.BIconCartCheckFill,BIconCartDash:i.BIconCartDash,BIconCartDashFill:i.BIconCartDashFill,BIconCartFill:i.BIconCartFill,BIconCartPlus:i.BIconCartPlus,BIconCartPlusFill:i.BIconCartPlusFill,BIconCartX:i.BIconCartX,BIconCartXFill:i.BIconCartXFill,BIconCash:i.BIconCash,BIconCashCoin:i.BIconCashCoin,BIconCashStack:i.BIconCashStack,BIconCast:i.BIconCast,BIconChat:i.BIconChat,BIconChatDots:i.BIconChatDots,BIconChatDotsFill:i.BIconChatDotsFill,BIconChatFill:i.BIconChatFill,BIconChatLeft:i.BIconChatLeft,BIconChatLeftDots:i.BIconChatLeftDots,BIconChatLeftDotsFill:i.BIconChatLeftDotsFill,BIconChatLeftFill:i.BIconChatLeftFill,BIconChatLeftQuote:i.BIconChatLeftQuote,BIconChatLeftQuoteFill:i.BIconChatLeftQuoteFill,BIconChatLeftText:i.BIconChatLeftText,BIconChatLeftTextFill:i.BIconChatLeftTextFill,BIconChatQuote:i.BIconChatQuote,BIconChatQuoteFill:i.BIconChatQuoteFill,BIconChatRight:i.BIconChatRight,BIconChatRightDots:i.BIconChatRightDots,BIconChatRightDotsFill:i.BIconChatRightDotsFill,BIconChatRightFill:i.BIconChatRightFill,BIconChatRightQuote:i.BIconChatRightQuote,BIconChatRightQuoteFill:i.BIconChatRightQuoteFill,BIconChatRightText:i.BIconChatRightText,BIconChatRightTextFill:i.BIconChatRightTextFill,BIconChatSquare:i.BIconChatSquare,BIconChatSquareDots:i.BIconChatSquareDots,BIconChatSquareDotsFill:i.BIconChatSquareDotsFill,BIconChatSquareFill:i.BIconChatSquareFill,BIconChatSquareQuote:i.BIconChatSquareQuote,BIconChatSquareQuoteFill:i.BIconChatSquareQuoteFill,BIconChatSquareText:i.BIconChatSquareText,BIconChatSquareTextFill:i.BIconChatSquareTextFill,BIconChatText:i.BIconChatText,BIconChatTextFill:i.BIconChatTextFill,BIconCheck:i.BIconCheck,BIconCheck2:i.BIconCheck2,BIconCheck2All:i.BIconCheck2All,BIconCheck2Circle:i.BIconCheck2Circle,BIconCheck2Square:i.BIconCheck2Square,BIconCheckAll:i.BIconCheckAll,BIconCheckCircle:i.BIconCheckCircle,BIconCheckCircleFill:i.BIconCheckCircleFill,BIconCheckLg:i.BIconCheckLg,BIconCheckSquare:i.BIconCheckSquare,BIconCheckSquareFill:i.BIconCheckSquareFill,BIconChevronBarContract:i.BIconChevronBarContract,BIconChevronBarDown:i.BIconChevronBarDown,BIconChevronBarExpand:i.BIconChevronBarExpand,BIconChevronBarLeft:i.BIconChevronBarLeft,BIconChevronBarRight:i.BIconChevronBarRight,BIconChevronBarUp:i.BIconChevronBarUp,BIconChevronCompactDown:i.BIconChevronCompactDown,BIconChevronCompactLeft:i.BIconChevronCompactLeft,BIconChevronCompactRight:i.BIconChevronCompactRight,BIconChevronCompactUp:i.BIconChevronCompactUp,BIconChevronContract:i.BIconChevronContract,BIconChevronDoubleDown:i.BIconChevronDoubleDown,BIconChevronDoubleLeft:i.BIconChevronDoubleLeft,BIconChevronDoubleRight:i.BIconChevronDoubleRight,BIconChevronDoubleUp:i.BIconChevronDoubleUp,BIconChevronDown:i.BIconChevronDown,BIconChevronExpand:i.BIconChevronExpand,BIconChevronLeft:i.BIconChevronLeft,BIconChevronRight:i.BIconChevronRight,BIconChevronUp:i.BIconChevronUp,BIconCircle:i.BIconCircle,BIconCircleFill:i.BIconCircleFill,BIconCircleHalf:i.BIconCircleHalf,BIconCircleSquare:i.BIconCircleSquare,BIconClipboard:i.BIconClipboard,BIconClipboardCheck:i.BIconClipboardCheck,BIconClipboardData:i.BIconClipboardData,BIconClipboardMinus:i.BIconClipboardMinus,BIconClipboardPlus:i.BIconClipboardPlus,BIconClipboardX:i.BIconClipboardX,BIconClock:i.BIconClock,BIconClockFill:i.BIconClockFill,BIconClockHistory:i.BIconClockHistory,BIconCloud:i.BIconCloud,BIconCloudArrowDown:i.BIconCloudArrowDown,BIconCloudArrowDownFill:i.BIconCloudArrowDownFill,BIconCloudArrowUp:i.BIconCloudArrowUp,BIconCloudArrowUpFill:i.BIconCloudArrowUpFill,BIconCloudCheck:i.BIconCloudCheck,BIconCloudCheckFill:i.BIconCloudCheckFill,BIconCloudDownload:i.BIconCloudDownload,BIconCloudDownloadFill:i.BIconCloudDownloadFill,BIconCloudDrizzle:i.BIconCloudDrizzle,BIconCloudDrizzleFill:i.BIconCloudDrizzleFill,BIconCloudFill:i.BIconCloudFill,BIconCloudFog:i.BIconCloudFog,BIconCloudFog2:i.BIconCloudFog2,BIconCloudFog2Fill:i.BIconCloudFog2Fill,BIconCloudFogFill:i.BIconCloudFogFill,BIconCloudHail:i.BIconCloudHail,BIconCloudHailFill:i.BIconCloudHailFill,BIconCloudHaze:i.BIconCloudHaze,BIconCloudHaze1:i.BIconCloudHaze1,BIconCloudHaze2Fill:i.BIconCloudHaze2Fill,BIconCloudHazeFill:i.BIconCloudHazeFill,BIconCloudLightning:i.BIconCloudLightning,BIconCloudLightningFill:i.BIconCloudLightningFill,BIconCloudLightningRain:i.BIconCloudLightningRain,BIconCloudLightningRainFill:i.BIconCloudLightningRainFill,BIconCloudMinus:i.BIconCloudMinus,BIconCloudMinusFill:i.BIconCloudMinusFill,BIconCloudMoon:i.BIconCloudMoon,BIconCloudMoonFill:i.BIconCloudMoonFill,BIconCloudPlus:i.BIconCloudPlus,BIconCloudPlusFill:i.BIconCloudPlusFill,BIconCloudRain:i.BIconCloudRain,BIconCloudRainFill:i.BIconCloudRainFill,BIconCloudRainHeavy:i.BIconCloudRainHeavy,BIconCloudRainHeavyFill:i.BIconCloudRainHeavyFill,BIconCloudSlash:i.BIconCloudSlash,BIconCloudSlashFill:i.BIconCloudSlashFill,BIconCloudSleet:i.BIconCloudSleet,BIconCloudSleetFill:i.BIconCloudSleetFill,BIconCloudSnow:i.BIconCloudSnow,BIconCloudSnowFill:i.BIconCloudSnowFill,BIconCloudSun:i.BIconCloudSun,BIconCloudSunFill:i.BIconCloudSunFill,BIconCloudUpload:i.BIconCloudUpload,BIconCloudUploadFill:i.BIconCloudUploadFill,BIconClouds:i.BIconClouds,BIconCloudsFill:i.BIconCloudsFill,BIconCloudy:i.BIconCloudy,BIconCloudyFill:i.BIconCloudyFill,BIconCode:i.BIconCode,BIconCodeSlash:i.BIconCodeSlash,BIconCodeSquare:i.BIconCodeSquare,BIconCoin:i.BIconCoin,BIconCollection:i.BIconCollection,BIconCollectionFill:i.BIconCollectionFill,BIconCollectionPlay:i.BIconCollectionPlay,BIconCollectionPlayFill:i.BIconCollectionPlayFill,BIconColumns:i.BIconColumns,BIconColumnsGap:i.BIconColumnsGap,BIconCommand:i.BIconCommand,BIconCompass:i.BIconCompass,BIconCompassFill:i.BIconCompassFill,BIconCone:i.BIconCone,BIconConeStriped:i.BIconConeStriped,BIconController:i.BIconController,BIconCpu:i.BIconCpu,BIconCpuFill:i.BIconCpuFill,BIconCreditCard:i.BIconCreditCard,BIconCreditCard2Back:i.BIconCreditCard2Back,BIconCreditCard2BackFill:i.BIconCreditCard2BackFill,BIconCreditCard2Front:i.BIconCreditCard2Front,BIconCreditCard2FrontFill:i.BIconCreditCard2FrontFill,BIconCreditCardFill:i.BIconCreditCardFill,BIconCrop:i.BIconCrop,BIconCup:i.BIconCup,BIconCupFill:i.BIconCupFill,BIconCupStraw:i.BIconCupStraw,BIconCurrencyBitcoin:i.BIconCurrencyBitcoin,BIconCurrencyDollar:i.BIconCurrencyDollar,BIconCurrencyEuro:i.BIconCurrencyEuro,BIconCurrencyExchange:i.BIconCurrencyExchange,BIconCurrencyPound:i.BIconCurrencyPound,BIconCurrencyYen:i.BIconCurrencyYen,BIconCursor:i.BIconCursor,BIconCursorFill:i.BIconCursorFill,BIconCursorText:i.BIconCursorText,BIconDash:i.BIconDash,BIconDashCircle:i.BIconDashCircle,BIconDashCircleDotted:i.BIconDashCircleDotted,BIconDashCircleFill:i.BIconDashCircleFill,BIconDashLg:i.BIconDashLg,BIconDashSquare:i.BIconDashSquare,BIconDashSquareDotted:i.BIconDashSquareDotted,BIconDashSquareFill:i.BIconDashSquareFill,BIconDiagram2:i.BIconDiagram2,BIconDiagram2Fill:i.BIconDiagram2Fill,BIconDiagram3:i.BIconDiagram3,BIconDiagram3Fill:i.BIconDiagram3Fill,BIconDiamond:i.BIconDiamond,BIconDiamondFill:i.BIconDiamondFill,BIconDiamondHalf:i.BIconDiamondHalf,BIconDice1:i.BIconDice1,BIconDice1Fill:i.BIconDice1Fill,BIconDice2:i.BIconDice2,BIconDice2Fill:i.BIconDice2Fill,BIconDice3:i.BIconDice3,BIconDice3Fill:i.BIconDice3Fill,BIconDice4:i.BIconDice4,BIconDice4Fill:i.BIconDice4Fill,BIconDice5:i.BIconDice5,BIconDice5Fill:i.BIconDice5Fill,BIconDice6:i.BIconDice6,BIconDice6Fill:i.BIconDice6Fill,BIconDisc:i.BIconDisc,BIconDiscFill:i.BIconDiscFill,BIconDiscord:i.BIconDiscord,BIconDisplay:i.BIconDisplay,BIconDisplayFill:i.BIconDisplayFill,BIconDistributeHorizontal:i.BIconDistributeHorizontal,BIconDistributeVertical:i.BIconDistributeVertical,BIconDoorClosed:i.BIconDoorClosed,BIconDoorClosedFill:i.BIconDoorClosedFill,BIconDoorOpen:i.BIconDoorOpen,BIconDoorOpenFill:i.BIconDoorOpenFill,BIconDot:i.BIconDot,BIconDownload:i.BIconDownload,BIconDroplet:i.BIconDroplet,BIconDropletFill:i.BIconDropletFill,BIconDropletHalf:i.BIconDropletHalf,BIconEarbuds:i.BIconEarbuds,BIconEasel:i.BIconEasel,BIconEaselFill:i.BIconEaselFill,BIconEgg:i.BIconEgg,BIconEggFill:i.BIconEggFill,BIconEggFried:i.BIconEggFried,BIconEject:i.BIconEject,BIconEjectFill:i.BIconEjectFill,BIconEmojiAngry:i.BIconEmojiAngry,BIconEmojiAngryFill:i.BIconEmojiAngryFill,BIconEmojiDizzy:i.BIconEmojiDizzy,BIconEmojiDizzyFill:i.BIconEmojiDizzyFill,BIconEmojiExpressionless:i.BIconEmojiExpressionless,BIconEmojiExpressionlessFill:i.BIconEmojiExpressionlessFill,BIconEmojiFrown:i.BIconEmojiFrown,BIconEmojiFrownFill:i.BIconEmojiFrownFill,BIconEmojiHeartEyes:i.BIconEmojiHeartEyes,BIconEmojiHeartEyesFill:i.BIconEmojiHeartEyesFill,BIconEmojiLaughing:i.BIconEmojiLaughing,BIconEmojiLaughingFill:i.BIconEmojiLaughingFill,BIconEmojiNeutral:i.BIconEmojiNeutral,BIconEmojiNeutralFill:i.BIconEmojiNeutralFill,BIconEmojiSmile:i.BIconEmojiSmile,BIconEmojiSmileFill:i.BIconEmojiSmileFill,BIconEmojiSmileUpsideDown:i.BIconEmojiSmileUpsideDown,BIconEmojiSmileUpsideDownFill:i.BIconEmojiSmileUpsideDownFill,BIconEmojiSunglasses:i.BIconEmojiSunglasses,BIconEmojiSunglassesFill:i.BIconEmojiSunglassesFill,BIconEmojiWink:i.BIconEmojiWink,BIconEmojiWinkFill:i.BIconEmojiWinkFill,BIconEnvelope:i.BIconEnvelope,BIconEnvelopeFill:i.BIconEnvelopeFill,BIconEnvelopeOpen:i.BIconEnvelopeOpen,BIconEnvelopeOpenFill:i.BIconEnvelopeOpenFill,BIconEraser:i.BIconEraser,BIconEraserFill:i.BIconEraserFill,BIconExclamation:i.BIconExclamation,BIconExclamationCircle:i.BIconExclamationCircle,BIconExclamationCircleFill:i.BIconExclamationCircleFill,BIconExclamationDiamond:i.BIconExclamationDiamond,BIconExclamationDiamondFill:i.BIconExclamationDiamondFill,BIconExclamationLg:i.BIconExclamationLg,BIconExclamationOctagon:i.BIconExclamationOctagon,BIconExclamationOctagonFill:i.BIconExclamationOctagonFill,BIconExclamationSquare:i.BIconExclamationSquare,BIconExclamationSquareFill:i.BIconExclamationSquareFill,BIconExclamationTriangle:i.BIconExclamationTriangle,BIconExclamationTriangleFill:i.BIconExclamationTriangleFill,BIconExclude:i.BIconExclude,BIconEye:i.BIconEye,BIconEyeFill:i.BIconEyeFill,BIconEyeSlash:i.BIconEyeSlash,BIconEyeSlashFill:i.BIconEyeSlashFill,BIconEyedropper:i.BIconEyedropper,BIconEyeglasses:i.BIconEyeglasses,BIconFacebook:i.BIconFacebook,BIconFile:i.BIconFile,BIconFileArrowDown:i.BIconFileArrowDown,BIconFileArrowDownFill:i.BIconFileArrowDownFill,BIconFileArrowUp:i.BIconFileArrowUp,BIconFileArrowUpFill:i.BIconFileArrowUpFill,BIconFileBarGraph:i.BIconFileBarGraph,BIconFileBarGraphFill:i.BIconFileBarGraphFill,BIconFileBinary:i.BIconFileBinary,BIconFileBinaryFill:i.BIconFileBinaryFill,BIconFileBreak:i.BIconFileBreak,BIconFileBreakFill:i.BIconFileBreakFill,BIconFileCheck:i.BIconFileCheck,BIconFileCheckFill:i.BIconFileCheckFill,BIconFileCode:i.BIconFileCode,BIconFileCodeFill:i.BIconFileCodeFill,BIconFileDiff:i.BIconFileDiff,BIconFileDiffFill:i.BIconFileDiffFill,BIconFileEarmark:i.BIconFileEarmark,BIconFileEarmarkArrowDown:i.BIconFileEarmarkArrowDown,BIconFileEarmarkArrowDownFill:i.BIconFileEarmarkArrowDownFill,BIconFileEarmarkArrowUp:i.BIconFileEarmarkArrowUp,BIconFileEarmarkArrowUpFill:i.BIconFileEarmarkArrowUpFill,BIconFileEarmarkBarGraph:i.BIconFileEarmarkBarGraph,BIconFileEarmarkBarGraphFill:i.BIconFileEarmarkBarGraphFill,BIconFileEarmarkBinary:i.BIconFileEarmarkBinary,BIconFileEarmarkBinaryFill:i.BIconFileEarmarkBinaryFill,BIconFileEarmarkBreak:i.BIconFileEarmarkBreak,BIconFileEarmarkBreakFill:i.BIconFileEarmarkBreakFill,BIconFileEarmarkCheck:i.BIconFileEarmarkCheck,BIconFileEarmarkCheckFill:i.BIconFileEarmarkCheckFill,BIconFileEarmarkCode:i.BIconFileEarmarkCode,BIconFileEarmarkCodeFill:i.BIconFileEarmarkCodeFill,BIconFileEarmarkDiff:i.BIconFileEarmarkDiff,BIconFileEarmarkDiffFill:i.BIconFileEarmarkDiffFill,BIconFileEarmarkEasel:i.BIconFileEarmarkEasel,BIconFileEarmarkEaselFill:i.BIconFileEarmarkEaselFill,BIconFileEarmarkExcel:i.BIconFileEarmarkExcel,BIconFileEarmarkExcelFill:i.BIconFileEarmarkExcelFill,BIconFileEarmarkFill:i.BIconFileEarmarkFill,BIconFileEarmarkFont:i.BIconFileEarmarkFont,BIconFileEarmarkFontFill:i.BIconFileEarmarkFontFill,BIconFileEarmarkImage:i.BIconFileEarmarkImage,BIconFileEarmarkImageFill:i.BIconFileEarmarkImageFill,BIconFileEarmarkLock:i.BIconFileEarmarkLock,BIconFileEarmarkLock2:i.BIconFileEarmarkLock2,BIconFileEarmarkLock2Fill:i.BIconFileEarmarkLock2Fill,BIconFileEarmarkLockFill:i.BIconFileEarmarkLockFill,BIconFileEarmarkMedical:i.BIconFileEarmarkMedical,BIconFileEarmarkMedicalFill:i.BIconFileEarmarkMedicalFill,BIconFileEarmarkMinus:i.BIconFileEarmarkMinus,BIconFileEarmarkMinusFill:i.BIconFileEarmarkMinusFill,BIconFileEarmarkMusic:i.BIconFileEarmarkMusic,BIconFileEarmarkMusicFill:i.BIconFileEarmarkMusicFill,BIconFileEarmarkPdf:i.BIconFileEarmarkPdf,BIconFileEarmarkPdfFill:i.BIconFileEarmarkPdfFill,BIconFileEarmarkPerson:i.BIconFileEarmarkPerson,BIconFileEarmarkPersonFill:i.BIconFileEarmarkPersonFill,BIconFileEarmarkPlay:i.BIconFileEarmarkPlay,BIconFileEarmarkPlayFill:i.BIconFileEarmarkPlayFill,BIconFileEarmarkPlus:i.BIconFileEarmarkPlus,BIconFileEarmarkPlusFill:i.BIconFileEarmarkPlusFill,BIconFileEarmarkPost:i.BIconFileEarmarkPost,BIconFileEarmarkPostFill:i.BIconFileEarmarkPostFill,BIconFileEarmarkPpt:i.BIconFileEarmarkPpt,BIconFileEarmarkPptFill:i.BIconFileEarmarkPptFill,BIconFileEarmarkRichtext:i.BIconFileEarmarkRichtext,BIconFileEarmarkRichtextFill:i.BIconFileEarmarkRichtextFill,BIconFileEarmarkRuled:i.BIconFileEarmarkRuled,BIconFileEarmarkRuledFill:i.BIconFileEarmarkRuledFill,BIconFileEarmarkSlides:i.BIconFileEarmarkSlides,BIconFileEarmarkSlidesFill:i.BIconFileEarmarkSlidesFill,BIconFileEarmarkSpreadsheet:i.BIconFileEarmarkSpreadsheet,BIconFileEarmarkSpreadsheetFill:i.BIconFileEarmarkSpreadsheetFill,BIconFileEarmarkText:i.BIconFileEarmarkText,BIconFileEarmarkTextFill:i.BIconFileEarmarkTextFill,BIconFileEarmarkWord:i.BIconFileEarmarkWord,BIconFileEarmarkWordFill:i.BIconFileEarmarkWordFill,BIconFileEarmarkX:i.BIconFileEarmarkX,BIconFileEarmarkXFill:i.BIconFileEarmarkXFill,BIconFileEarmarkZip:i.BIconFileEarmarkZip,BIconFileEarmarkZipFill:i.BIconFileEarmarkZipFill,BIconFileEasel:i.BIconFileEasel,BIconFileEaselFill:i.BIconFileEaselFill,BIconFileExcel:i.BIconFileExcel,BIconFileExcelFill:i.BIconFileExcelFill,BIconFileFill:i.BIconFileFill,BIconFileFont:i.BIconFileFont,BIconFileFontFill:i.BIconFileFontFill,BIconFileImage:i.BIconFileImage,BIconFileImageFill:i.BIconFileImageFill,BIconFileLock:i.BIconFileLock,BIconFileLock2:i.BIconFileLock2,BIconFileLock2Fill:i.BIconFileLock2Fill,BIconFileLockFill:i.BIconFileLockFill,BIconFileMedical:i.BIconFileMedical,BIconFileMedicalFill:i.BIconFileMedicalFill,BIconFileMinus:i.BIconFileMinus,BIconFileMinusFill:i.BIconFileMinusFill,BIconFileMusic:i.BIconFileMusic,BIconFileMusicFill:i.BIconFileMusicFill,BIconFilePdf:i.BIconFilePdf,BIconFilePdfFill:i.BIconFilePdfFill,BIconFilePerson:i.BIconFilePerson,BIconFilePersonFill:i.BIconFilePersonFill,BIconFilePlay:i.BIconFilePlay,BIconFilePlayFill:i.BIconFilePlayFill,BIconFilePlus:i.BIconFilePlus,BIconFilePlusFill:i.BIconFilePlusFill,BIconFilePost:i.BIconFilePost,BIconFilePostFill:i.BIconFilePostFill,BIconFilePpt:i.BIconFilePpt,BIconFilePptFill:i.BIconFilePptFill,BIconFileRichtext:i.BIconFileRichtext,BIconFileRichtextFill:i.BIconFileRichtextFill,BIconFileRuled:i.BIconFileRuled,BIconFileRuledFill:i.BIconFileRuledFill,BIconFileSlides:i.BIconFileSlides,BIconFileSlidesFill:i.BIconFileSlidesFill,BIconFileSpreadsheet:i.BIconFileSpreadsheet,BIconFileSpreadsheetFill:i.BIconFileSpreadsheetFill,BIconFileText:i.BIconFileText,BIconFileTextFill:i.BIconFileTextFill,BIconFileWord:i.BIconFileWord,BIconFileWordFill:i.BIconFileWordFill,BIconFileX:i.BIconFileX,BIconFileXFill:i.BIconFileXFill,BIconFileZip:i.BIconFileZip,BIconFileZipFill:i.BIconFileZipFill,BIconFiles:i.BIconFiles,BIconFilesAlt:i.BIconFilesAlt,BIconFilm:i.BIconFilm,BIconFilter:i.BIconFilter,BIconFilterCircle:i.BIconFilterCircle,BIconFilterCircleFill:i.BIconFilterCircleFill,BIconFilterLeft:i.BIconFilterLeft,BIconFilterRight:i.BIconFilterRight,BIconFilterSquare:i.BIconFilterSquare,BIconFilterSquareFill:i.BIconFilterSquareFill,BIconFlag:i.BIconFlag,BIconFlagFill:i.BIconFlagFill,BIconFlower1:i.BIconFlower1,BIconFlower2:i.BIconFlower2,BIconFlower3:i.BIconFlower3,BIconFolder:i.BIconFolder,BIconFolder2:i.BIconFolder2,BIconFolder2Open:i.BIconFolder2Open,BIconFolderCheck:i.BIconFolderCheck,BIconFolderFill:i.BIconFolderFill,BIconFolderMinus:i.BIconFolderMinus,BIconFolderPlus:i.BIconFolderPlus,BIconFolderSymlink:i.BIconFolderSymlink,BIconFolderSymlinkFill:i.BIconFolderSymlinkFill,BIconFolderX:i.BIconFolderX,BIconFonts:i.BIconFonts,BIconForward:i.BIconForward,BIconForwardFill:i.BIconForwardFill,BIconFront:i.BIconFront,BIconFullscreen:i.BIconFullscreen,BIconFullscreenExit:i.BIconFullscreenExit,BIconFunnel:i.BIconFunnel,BIconFunnelFill:i.BIconFunnelFill,BIconGear:i.BIconGear,BIconGearFill:i.BIconGearFill,BIconGearWide:i.BIconGearWide,BIconGearWideConnected:i.BIconGearWideConnected,BIconGem:i.BIconGem,BIconGenderAmbiguous:i.BIconGenderAmbiguous,BIconGenderFemale:i.BIconGenderFemale,BIconGenderMale:i.BIconGenderMale,BIconGenderTrans:i.BIconGenderTrans,BIconGeo:i.BIconGeo,BIconGeoAlt:i.BIconGeoAlt,BIconGeoAltFill:i.BIconGeoAltFill,BIconGeoFill:i.BIconGeoFill,BIconGift:i.BIconGift,BIconGiftFill:i.BIconGiftFill,BIconGithub:i.BIconGithub,BIconGlobe:i.BIconGlobe,BIconGlobe2:i.BIconGlobe2,BIconGoogle:i.BIconGoogle,BIconGraphDown:i.BIconGraphDown,BIconGraphUp:i.BIconGraphUp,BIconGrid:i.BIconGrid,BIconGrid1x2:i.BIconGrid1x2,BIconGrid1x2Fill:i.BIconGrid1x2Fill,BIconGrid3x2:i.BIconGrid3x2,BIconGrid3x2Gap:i.BIconGrid3x2Gap,BIconGrid3x2GapFill:i.BIconGrid3x2GapFill,BIconGrid3x3:i.BIconGrid3x3,BIconGrid3x3Gap:i.BIconGrid3x3Gap,BIconGrid3x3GapFill:i.BIconGrid3x3GapFill,BIconGridFill:i.BIconGridFill,BIconGripHorizontal:i.BIconGripHorizontal,BIconGripVertical:i.BIconGripVertical,BIconHammer:i.BIconHammer,BIconHandIndex:i.BIconHandIndex,BIconHandIndexFill:i.BIconHandIndexFill,BIconHandIndexThumb:i.BIconHandIndexThumb,BIconHandIndexThumbFill:i.BIconHandIndexThumbFill,BIconHandThumbsDown:i.BIconHandThumbsDown,BIconHandThumbsDownFill:i.BIconHandThumbsDownFill,BIconHandThumbsUp:i.BIconHandThumbsUp,BIconHandThumbsUpFill:i.BIconHandThumbsUpFill,BIconHandbag:i.BIconHandbag,BIconHandbagFill:i.BIconHandbagFill,BIconHash:i.BIconHash,BIconHdd:i.BIconHdd,BIconHddFill:i.BIconHddFill,BIconHddNetwork:i.BIconHddNetwork,BIconHddNetworkFill:i.BIconHddNetworkFill,BIconHddRack:i.BIconHddRack,BIconHddRackFill:i.BIconHddRackFill,BIconHddStack:i.BIconHddStack,BIconHddStackFill:i.BIconHddStackFill,BIconHeadphones:i.BIconHeadphones,BIconHeadset:i.BIconHeadset,BIconHeadsetVr:i.BIconHeadsetVr,BIconHeart:i.BIconHeart,BIconHeartFill:i.BIconHeartFill,BIconHeartHalf:i.BIconHeartHalf,BIconHeptagon:i.BIconHeptagon,BIconHeptagonFill:i.BIconHeptagonFill,BIconHeptagonHalf:i.BIconHeptagonHalf,BIconHexagon:i.BIconHexagon,BIconHexagonFill:i.BIconHexagonFill,BIconHexagonHalf:i.BIconHexagonHalf,BIconHourglass:i.BIconHourglass,BIconHourglassBottom:i.BIconHourglassBottom,BIconHourglassSplit:i.BIconHourglassSplit,BIconHourglassTop:i.BIconHourglassTop,BIconHouse:i.BIconHouse,BIconHouseDoor:i.BIconHouseDoor,BIconHouseDoorFill:i.BIconHouseDoorFill,BIconHouseFill:i.BIconHouseFill,BIconHr:i.BIconHr,BIconHurricane:i.BIconHurricane,BIconImage:i.BIconImage,BIconImageAlt:i.BIconImageAlt,BIconImageFill:i.BIconImageFill,BIconImages:i.BIconImages,BIconInbox:i.BIconInbox,BIconInboxFill:i.BIconInboxFill,BIconInboxes:i.BIconInboxes,BIconInboxesFill:i.BIconInboxesFill,BIconInfo:i.BIconInfo,BIconInfoCircle:i.BIconInfoCircle,BIconInfoCircleFill:i.BIconInfoCircleFill,BIconInfoLg:i.BIconInfoLg,BIconInfoSquare:i.BIconInfoSquare,BIconInfoSquareFill:i.BIconInfoSquareFill,BIconInputCursor:i.BIconInputCursor,BIconInputCursorText:i.BIconInputCursorText,BIconInstagram:i.BIconInstagram,BIconIntersect:i.BIconIntersect,BIconJournal:i.BIconJournal,BIconJournalAlbum:i.BIconJournalAlbum,BIconJournalArrowDown:i.BIconJournalArrowDown,BIconJournalArrowUp:i.BIconJournalArrowUp,BIconJournalBookmark:i.BIconJournalBookmark,BIconJournalBookmarkFill:i.BIconJournalBookmarkFill,BIconJournalCheck:i.BIconJournalCheck,BIconJournalCode:i.BIconJournalCode,BIconJournalMedical:i.BIconJournalMedical,BIconJournalMinus:i.BIconJournalMinus,BIconJournalPlus:i.BIconJournalPlus,BIconJournalRichtext:i.BIconJournalRichtext,BIconJournalText:i.BIconJournalText,BIconJournalX:i.BIconJournalX,BIconJournals:i.BIconJournals,BIconJoystick:i.BIconJoystick,BIconJustify:i.BIconJustify,BIconJustifyLeft:i.BIconJustifyLeft,BIconJustifyRight:i.BIconJustifyRight,BIconKanban:i.BIconKanban,BIconKanbanFill:i.BIconKanbanFill,BIconKey:i.BIconKey,BIconKeyFill:i.BIconKeyFill,BIconKeyboard:i.BIconKeyboard,BIconKeyboardFill:i.BIconKeyboardFill,BIconLadder:i.BIconLadder,BIconLamp:i.BIconLamp,BIconLampFill:i.BIconLampFill,BIconLaptop:i.BIconLaptop,BIconLaptopFill:i.BIconLaptopFill,BIconLayerBackward:i.BIconLayerBackward,BIconLayerForward:i.BIconLayerForward,BIconLayers:i.BIconLayers,BIconLayersFill:i.BIconLayersFill,BIconLayersHalf:i.BIconLayersHalf,BIconLayoutSidebar:i.BIconLayoutSidebar,BIconLayoutSidebarInset:i.BIconLayoutSidebarInset,BIconLayoutSidebarInsetReverse:i.BIconLayoutSidebarInsetReverse,BIconLayoutSidebarReverse:i.BIconLayoutSidebarReverse,BIconLayoutSplit:i.BIconLayoutSplit,BIconLayoutTextSidebar:i.BIconLayoutTextSidebar,BIconLayoutTextSidebarReverse:i.BIconLayoutTextSidebarReverse,BIconLayoutTextWindow:i.BIconLayoutTextWindow,BIconLayoutTextWindowReverse:i.BIconLayoutTextWindowReverse,BIconLayoutThreeColumns:i.BIconLayoutThreeColumns,BIconLayoutWtf:i.BIconLayoutWtf,BIconLifePreserver:i.BIconLifePreserver,BIconLightbulb:i.BIconLightbulb,BIconLightbulbFill:i.BIconLightbulbFill,BIconLightbulbOff:i.BIconLightbulbOff,BIconLightbulbOffFill:i.BIconLightbulbOffFill,BIconLightning:i.BIconLightning,BIconLightningCharge:i.BIconLightningCharge,BIconLightningChargeFill:i.BIconLightningChargeFill,BIconLightningFill:i.BIconLightningFill,BIconLink:i.BIconLink,BIconLink45deg:i.BIconLink45deg,BIconLinkedin:i.BIconLinkedin,BIconList:i.BIconList,BIconListCheck:i.BIconListCheck,BIconListNested:i.BIconListNested,BIconListOl:i.BIconListOl,BIconListStars:i.BIconListStars,BIconListTask:i.BIconListTask,BIconListUl:i.BIconListUl,BIconLock:i.BIconLock,BIconLockFill:i.BIconLockFill,BIconMailbox:i.BIconMailbox,BIconMailbox2:i.BIconMailbox2,BIconMap:i.BIconMap,BIconMapFill:i.BIconMapFill,BIconMarkdown:i.BIconMarkdown,BIconMarkdownFill:i.BIconMarkdownFill,BIconMask:i.BIconMask,BIconMastodon:i.BIconMastodon,BIconMegaphone:i.BIconMegaphone,BIconMegaphoneFill:i.BIconMegaphoneFill,BIconMenuApp:i.BIconMenuApp,BIconMenuAppFill:i.BIconMenuAppFill,BIconMenuButton:i.BIconMenuButton,BIconMenuButtonFill:i.BIconMenuButtonFill,BIconMenuButtonWide:i.BIconMenuButtonWide,BIconMenuButtonWideFill:i.BIconMenuButtonWideFill,BIconMenuDown:i.BIconMenuDown,BIconMenuUp:i.BIconMenuUp,BIconMessenger:i.BIconMessenger,BIconMic:i.BIconMic,BIconMicFill:i.BIconMicFill,BIconMicMute:i.BIconMicMute,BIconMicMuteFill:i.BIconMicMuteFill,BIconMinecart:i.BIconMinecart,BIconMinecartLoaded:i.BIconMinecartLoaded,BIconMoisture:i.BIconMoisture,BIconMoon:i.BIconMoon,BIconMoonFill:i.BIconMoonFill,BIconMoonStars:i.BIconMoonStars,BIconMoonStarsFill:i.BIconMoonStarsFill,BIconMouse:i.BIconMouse,BIconMouse2:i.BIconMouse2,BIconMouse2Fill:i.BIconMouse2Fill,BIconMouse3:i.BIconMouse3,BIconMouse3Fill:i.BIconMouse3Fill,BIconMouseFill:i.BIconMouseFill,BIconMusicNote:i.BIconMusicNote,BIconMusicNoteBeamed:i.BIconMusicNoteBeamed,BIconMusicNoteList:i.BIconMusicNoteList,BIconMusicPlayer:i.BIconMusicPlayer,BIconMusicPlayerFill:i.BIconMusicPlayerFill,BIconNewspaper:i.BIconNewspaper,BIconNodeMinus:i.BIconNodeMinus,BIconNodeMinusFill:i.BIconNodeMinusFill,BIconNodePlus:i.BIconNodePlus,BIconNodePlusFill:i.BIconNodePlusFill,BIconNut:i.BIconNut,BIconNutFill:i.BIconNutFill,BIconOctagon:i.BIconOctagon,BIconOctagonFill:i.BIconOctagonFill,BIconOctagonHalf:i.BIconOctagonHalf,BIconOption:i.BIconOption,BIconOutlet:i.BIconOutlet,BIconPaintBucket:i.BIconPaintBucket,BIconPalette:i.BIconPalette,BIconPalette2:i.BIconPalette2,BIconPaletteFill:i.BIconPaletteFill,BIconPaperclip:i.BIconPaperclip,BIconParagraph:i.BIconParagraph,BIconPatchCheck:i.BIconPatchCheck,BIconPatchCheckFill:i.BIconPatchCheckFill,BIconPatchExclamation:i.BIconPatchExclamation,BIconPatchExclamationFill:i.BIconPatchExclamationFill,BIconPatchMinus:i.BIconPatchMinus,BIconPatchMinusFill:i.BIconPatchMinusFill,BIconPatchPlus:i.BIconPatchPlus,BIconPatchPlusFill:i.BIconPatchPlusFill,BIconPatchQuestion:i.BIconPatchQuestion,BIconPatchQuestionFill:i.BIconPatchQuestionFill,BIconPause:i.BIconPause,BIconPauseBtn:i.BIconPauseBtn,BIconPauseBtnFill:i.BIconPauseBtnFill,BIconPauseCircle:i.BIconPauseCircle,BIconPauseCircleFill:i.BIconPauseCircleFill,BIconPauseFill:i.BIconPauseFill,BIconPeace:i.BIconPeace,BIconPeaceFill:i.BIconPeaceFill,BIconPen:i.BIconPen,BIconPenFill:i.BIconPenFill,BIconPencil:i.BIconPencil,BIconPencilFill:i.BIconPencilFill,BIconPencilSquare:i.BIconPencilSquare,BIconPentagon:i.BIconPentagon,BIconPentagonFill:i.BIconPentagonFill,BIconPentagonHalf:i.BIconPentagonHalf,BIconPeople:i.BIconPeople,BIconPeopleFill:i.BIconPeopleFill,BIconPercent:i.BIconPercent,BIconPerson:i.BIconPerson,BIconPersonBadge:i.BIconPersonBadge,BIconPersonBadgeFill:i.BIconPersonBadgeFill,BIconPersonBoundingBox:i.BIconPersonBoundingBox,BIconPersonCheck:i.BIconPersonCheck,BIconPersonCheckFill:i.BIconPersonCheckFill,BIconPersonCircle:i.BIconPersonCircle,BIconPersonDash:i.BIconPersonDash,BIconPersonDashFill:i.BIconPersonDashFill,BIconPersonFill:i.BIconPersonFill,BIconPersonLinesFill:i.BIconPersonLinesFill,BIconPersonPlus:i.BIconPersonPlus,BIconPersonPlusFill:i.BIconPersonPlusFill,BIconPersonSquare:i.BIconPersonSquare,BIconPersonX:i.BIconPersonX,BIconPersonXFill:i.BIconPersonXFill,BIconPhone:i.BIconPhone,BIconPhoneFill:i.BIconPhoneFill,BIconPhoneLandscape:i.BIconPhoneLandscape,BIconPhoneLandscapeFill:i.BIconPhoneLandscapeFill,BIconPhoneVibrate:i.BIconPhoneVibrate,BIconPhoneVibrateFill:i.BIconPhoneVibrateFill,BIconPieChart:i.BIconPieChart,BIconPieChartFill:i.BIconPieChartFill,BIconPiggyBank:i.BIconPiggyBank,BIconPiggyBankFill:i.BIconPiggyBankFill,BIconPin:i.BIconPin,BIconPinAngle:i.BIconPinAngle,BIconPinAngleFill:i.BIconPinAngleFill,BIconPinFill:i.BIconPinFill,BIconPinMap:i.BIconPinMap,BIconPinMapFill:i.BIconPinMapFill,BIconPip:i.BIconPip,BIconPipFill:i.BIconPipFill,BIconPlay:i.BIconPlay,BIconPlayBtn:i.BIconPlayBtn,BIconPlayBtnFill:i.BIconPlayBtnFill,BIconPlayCircle:i.BIconPlayCircle,BIconPlayCircleFill:i.BIconPlayCircleFill,BIconPlayFill:i.BIconPlayFill,BIconPlug:i.BIconPlug,BIconPlugFill:i.BIconPlugFill,BIconPlus:i.BIconPlus,BIconPlusCircle:i.BIconPlusCircle,BIconPlusCircleDotted:i.BIconPlusCircleDotted,BIconPlusCircleFill:i.BIconPlusCircleFill,BIconPlusLg:i.BIconPlusLg,BIconPlusSquare:i.BIconPlusSquare,BIconPlusSquareDotted:i.BIconPlusSquareDotted,BIconPlusSquareFill:i.BIconPlusSquareFill,BIconPower:i.BIconPower,BIconPrinter:i.BIconPrinter,BIconPrinterFill:i.BIconPrinterFill,BIconPuzzle:i.BIconPuzzle,BIconPuzzleFill:i.BIconPuzzleFill,BIconQuestion:i.BIconQuestion,BIconQuestionCircle:i.BIconQuestionCircle,BIconQuestionCircleFill:i.BIconQuestionCircleFill,BIconQuestionDiamond:i.BIconQuestionDiamond,BIconQuestionDiamondFill:i.BIconQuestionDiamondFill,BIconQuestionLg:i.BIconQuestionLg,BIconQuestionOctagon:i.BIconQuestionOctagon,BIconQuestionOctagonFill:i.BIconQuestionOctagonFill,BIconQuestionSquare:i.BIconQuestionSquare,BIconQuestionSquareFill:i.BIconQuestionSquareFill,BIconRainbow:i.BIconRainbow,BIconReceipt:i.BIconReceipt,BIconReceiptCutoff:i.BIconReceiptCutoff,BIconReception0:i.BIconReception0,BIconReception1:i.BIconReception1,BIconReception2:i.BIconReception2,BIconReception3:i.BIconReception3,BIconReception4:i.BIconReception4,BIconRecord:i.BIconRecord,BIconRecord2:i.BIconRecord2,BIconRecord2Fill:i.BIconRecord2Fill,BIconRecordBtn:i.BIconRecordBtn,BIconRecordBtnFill:i.BIconRecordBtnFill,BIconRecordCircle:i.BIconRecordCircle,BIconRecordCircleFill:i.BIconRecordCircleFill,BIconRecordFill:i.BIconRecordFill,BIconRecycle:i.BIconRecycle,BIconReddit:i.BIconReddit,BIconReply:i.BIconReply,BIconReplyAll:i.BIconReplyAll,BIconReplyAllFill:i.BIconReplyAllFill,BIconReplyFill:i.BIconReplyFill,BIconRss:i.BIconRss,BIconRssFill:i.BIconRssFill,BIconRulers:i.BIconRulers,BIconSafe:i.BIconSafe,BIconSafe2:i.BIconSafe2,BIconSafe2Fill:i.BIconSafe2Fill,BIconSafeFill:i.BIconSafeFill,BIconSave:i.BIconSave,BIconSave2:i.BIconSave2,BIconSave2Fill:i.BIconSave2Fill,BIconSaveFill:i.BIconSaveFill,BIconScissors:i.BIconScissors,BIconScrewdriver:i.BIconScrewdriver,BIconSdCard:i.BIconSdCard,BIconSdCardFill:i.BIconSdCardFill,BIconSearch:i.BIconSearch,BIconSegmentedNav:i.BIconSegmentedNav,BIconServer:i.BIconServer,BIconShare:i.BIconShare,BIconShareFill:i.BIconShareFill,BIconShield:i.BIconShield,BIconShieldCheck:i.BIconShieldCheck,BIconShieldExclamation:i.BIconShieldExclamation,BIconShieldFill:i.BIconShieldFill,BIconShieldFillCheck:i.BIconShieldFillCheck,BIconShieldFillExclamation:i.BIconShieldFillExclamation,BIconShieldFillMinus:i.BIconShieldFillMinus,BIconShieldFillPlus:i.BIconShieldFillPlus,BIconShieldFillX:i.BIconShieldFillX,BIconShieldLock:i.BIconShieldLock,BIconShieldLockFill:i.BIconShieldLockFill,BIconShieldMinus:i.BIconShieldMinus,BIconShieldPlus:i.BIconShieldPlus,BIconShieldShaded:i.BIconShieldShaded,BIconShieldSlash:i.BIconShieldSlash,BIconShieldSlashFill:i.BIconShieldSlashFill,BIconShieldX:i.BIconShieldX,BIconShift:i.BIconShift,BIconShiftFill:i.BIconShiftFill,BIconShop:i.BIconShop,BIconShopWindow:i.BIconShopWindow,BIconShuffle:i.BIconShuffle,BIconSignpost:i.BIconSignpost,BIconSignpost2:i.BIconSignpost2,BIconSignpost2Fill:i.BIconSignpost2Fill,BIconSignpostFill:i.BIconSignpostFill,BIconSignpostSplit:i.BIconSignpostSplit,BIconSignpostSplitFill:i.BIconSignpostSplitFill,BIconSim:i.BIconSim,BIconSimFill:i.BIconSimFill,BIconSkipBackward:i.BIconSkipBackward,BIconSkipBackwardBtn:i.BIconSkipBackwardBtn,BIconSkipBackwardBtnFill:i.BIconSkipBackwardBtnFill,BIconSkipBackwardCircle:i.BIconSkipBackwardCircle,BIconSkipBackwardCircleFill:i.BIconSkipBackwardCircleFill,BIconSkipBackwardFill:i.BIconSkipBackwardFill,BIconSkipEnd:i.BIconSkipEnd,BIconSkipEndBtn:i.BIconSkipEndBtn,BIconSkipEndBtnFill:i.BIconSkipEndBtnFill,BIconSkipEndCircle:i.BIconSkipEndCircle,BIconSkipEndCircleFill:i.BIconSkipEndCircleFill,BIconSkipEndFill:i.BIconSkipEndFill,BIconSkipForward:i.BIconSkipForward,BIconSkipForwardBtn:i.BIconSkipForwardBtn,BIconSkipForwardBtnFill:i.BIconSkipForwardBtnFill,BIconSkipForwardCircle:i.BIconSkipForwardCircle,BIconSkipForwardCircleFill:i.BIconSkipForwardCircleFill,BIconSkipForwardFill:i.BIconSkipForwardFill,BIconSkipStart:i.BIconSkipStart,BIconSkipStartBtn:i.BIconSkipStartBtn,BIconSkipStartBtnFill:i.BIconSkipStartBtnFill,BIconSkipStartCircle:i.BIconSkipStartCircle,BIconSkipStartCircleFill:i.BIconSkipStartCircleFill,BIconSkipStartFill:i.BIconSkipStartFill,BIconSkype:i.BIconSkype,BIconSlack:i.BIconSlack,BIconSlash:i.BIconSlash,BIconSlashCircle:i.BIconSlashCircle,BIconSlashCircleFill:i.BIconSlashCircleFill,BIconSlashLg:i.BIconSlashLg,BIconSlashSquare:i.BIconSlashSquare,BIconSlashSquareFill:i.BIconSlashSquareFill,BIconSliders:i.BIconSliders,BIconSmartwatch:i.BIconSmartwatch,BIconSnow:i.BIconSnow,BIconSnow2:i.BIconSnow2,BIconSnow3:i.BIconSnow3,BIconSortAlphaDown:i.BIconSortAlphaDown,BIconSortAlphaDownAlt:i.BIconSortAlphaDownAlt,BIconSortAlphaUp:i.BIconSortAlphaUp,BIconSortAlphaUpAlt:i.BIconSortAlphaUpAlt,BIconSortDown:i.BIconSortDown,BIconSortDownAlt:i.BIconSortDownAlt,BIconSortNumericDown:i.BIconSortNumericDown,BIconSortNumericDownAlt:i.BIconSortNumericDownAlt,BIconSortNumericUp:i.BIconSortNumericUp,BIconSortNumericUpAlt:i.BIconSortNumericUpAlt,BIconSortUp:i.BIconSortUp,BIconSortUpAlt:i.BIconSortUpAlt,BIconSoundwave:i.BIconSoundwave,BIconSpeaker:i.BIconSpeaker,BIconSpeakerFill:i.BIconSpeakerFill,BIconSpeedometer:i.BIconSpeedometer,BIconSpeedometer2:i.BIconSpeedometer2,BIconSpellcheck:i.BIconSpellcheck,BIconSquare:i.BIconSquare,BIconSquareFill:i.BIconSquareFill,BIconSquareHalf:i.BIconSquareHalf,BIconStack:i.BIconStack,BIconStar:i.BIconStar,BIconStarFill:i.BIconStarFill,BIconStarHalf:i.BIconStarHalf,BIconStars:i.BIconStars,BIconStickies:i.BIconStickies,BIconStickiesFill:i.BIconStickiesFill,BIconSticky:i.BIconSticky,BIconStickyFill:i.BIconStickyFill,BIconStop:i.BIconStop,BIconStopBtn:i.BIconStopBtn,BIconStopBtnFill:i.BIconStopBtnFill,BIconStopCircle:i.BIconStopCircle,BIconStopCircleFill:i.BIconStopCircleFill,BIconStopFill:i.BIconStopFill,BIconStoplights:i.BIconStoplights,BIconStoplightsFill:i.BIconStoplightsFill,BIconStopwatch:i.BIconStopwatch,BIconStopwatchFill:i.BIconStopwatchFill,BIconSubtract:i.BIconSubtract,BIconSuitClub:i.BIconSuitClub,BIconSuitClubFill:i.BIconSuitClubFill,BIconSuitDiamond:i.BIconSuitDiamond,BIconSuitDiamondFill:i.BIconSuitDiamondFill,BIconSuitHeart:i.BIconSuitHeart,BIconSuitHeartFill:i.BIconSuitHeartFill,BIconSuitSpade:i.BIconSuitSpade,BIconSuitSpadeFill:i.BIconSuitSpadeFill,BIconSun:i.BIconSun,BIconSunFill:i.BIconSunFill,BIconSunglasses:i.BIconSunglasses,BIconSunrise:i.BIconSunrise,BIconSunriseFill:i.BIconSunriseFill,BIconSunset:i.BIconSunset,BIconSunsetFill:i.BIconSunsetFill,BIconSymmetryHorizontal:i.BIconSymmetryHorizontal,BIconSymmetryVertical:i.BIconSymmetryVertical,BIconTable:i.BIconTable,BIconTablet:i.BIconTablet,BIconTabletFill:i.BIconTabletFill,BIconTabletLandscape:i.BIconTabletLandscape,BIconTabletLandscapeFill:i.BIconTabletLandscapeFill,BIconTag:i.BIconTag,BIconTagFill:i.BIconTagFill,BIconTags:i.BIconTags,BIconTagsFill:i.BIconTagsFill,BIconTelegram:i.BIconTelegram,BIconTelephone:i.BIconTelephone,BIconTelephoneFill:i.BIconTelephoneFill,BIconTelephoneForward:i.BIconTelephoneForward,BIconTelephoneForwardFill:i.BIconTelephoneForwardFill,BIconTelephoneInbound:i.BIconTelephoneInbound,BIconTelephoneInboundFill:i.BIconTelephoneInboundFill,BIconTelephoneMinus:i.BIconTelephoneMinus,BIconTelephoneMinusFill:i.BIconTelephoneMinusFill,BIconTelephoneOutbound:i.BIconTelephoneOutbound,BIconTelephoneOutboundFill:i.BIconTelephoneOutboundFill,BIconTelephonePlus:i.BIconTelephonePlus,BIconTelephonePlusFill:i.BIconTelephonePlusFill,BIconTelephoneX:i.BIconTelephoneX,BIconTelephoneXFill:i.BIconTelephoneXFill,BIconTerminal:i.BIconTerminal,BIconTerminalFill:i.BIconTerminalFill,BIconTextCenter:i.BIconTextCenter,BIconTextIndentLeft:i.BIconTextIndentLeft,BIconTextIndentRight:i.BIconTextIndentRight,BIconTextLeft:i.BIconTextLeft,BIconTextParagraph:i.BIconTextParagraph,BIconTextRight:i.BIconTextRight,BIconTextarea:i.BIconTextarea,BIconTextareaResize:i.BIconTextareaResize,BIconTextareaT:i.BIconTextareaT,BIconThermometer:i.BIconThermometer,BIconThermometerHalf:i.BIconThermometerHalf,BIconThermometerHigh:i.BIconThermometerHigh,BIconThermometerLow:i.BIconThermometerLow,BIconThermometerSnow:i.BIconThermometerSnow,BIconThermometerSun:i.BIconThermometerSun,BIconThreeDots:i.BIconThreeDots,BIconThreeDotsVertical:i.BIconThreeDotsVertical,BIconToggle2Off:i.BIconToggle2Off,BIconToggle2On:i.BIconToggle2On,BIconToggleOff:i.BIconToggleOff,BIconToggleOn:i.BIconToggleOn,BIconToggles:i.BIconToggles,BIconToggles2:i.BIconToggles2,BIconTools:i.BIconTools,BIconTornado:i.BIconTornado,BIconTranslate:i.BIconTranslate,BIconTrash:i.BIconTrash,BIconTrash2:i.BIconTrash2,BIconTrash2Fill:i.BIconTrash2Fill,BIconTrashFill:i.BIconTrashFill,BIconTree:i.BIconTree,BIconTreeFill:i.BIconTreeFill,BIconTriangle:i.BIconTriangle,BIconTriangleFill:i.BIconTriangleFill,BIconTriangleHalf:i.BIconTriangleHalf,BIconTrophy:i.BIconTrophy,BIconTrophyFill:i.BIconTrophyFill,BIconTropicalStorm:i.BIconTropicalStorm,BIconTruck:i.BIconTruck,BIconTruckFlatbed:i.BIconTruckFlatbed,BIconTsunami:i.BIconTsunami,BIconTv:i.BIconTv,BIconTvFill:i.BIconTvFill,BIconTwitch:i.BIconTwitch,BIconTwitter:i.BIconTwitter,BIconType:i.BIconType,BIconTypeBold:i.BIconTypeBold,BIconTypeH1:i.BIconTypeH1,BIconTypeH2:i.BIconTypeH2,BIconTypeH3:i.BIconTypeH3,BIconTypeItalic:i.BIconTypeItalic,BIconTypeStrikethrough:i.BIconTypeStrikethrough,BIconTypeUnderline:i.BIconTypeUnderline,BIconUiChecks:i.BIconUiChecks,BIconUiChecksGrid:i.BIconUiChecksGrid,BIconUiRadios:i.BIconUiRadios,BIconUiRadiosGrid:i.BIconUiRadiosGrid,BIconUmbrella:i.BIconUmbrella,BIconUmbrellaFill:i.BIconUmbrellaFill,BIconUnion:i.BIconUnion,BIconUnlock:i.BIconUnlock,BIconUnlockFill:i.BIconUnlockFill,BIconUpc:i.BIconUpc,BIconUpcScan:i.BIconUpcScan,BIconUpload:i.BIconUpload,BIconVectorPen:i.BIconVectorPen,BIconViewList:i.BIconViewList,BIconViewStacked:i.BIconViewStacked,BIconVinyl:i.BIconVinyl,BIconVinylFill:i.BIconVinylFill,BIconVoicemail:i.BIconVoicemail,BIconVolumeDown:i.BIconVolumeDown,BIconVolumeDownFill:i.BIconVolumeDownFill,BIconVolumeMute:i.BIconVolumeMute,BIconVolumeMuteFill:i.BIconVolumeMuteFill,BIconVolumeOff:i.BIconVolumeOff,BIconVolumeOffFill:i.BIconVolumeOffFill,BIconVolumeUp:i.BIconVolumeUp,BIconVolumeUpFill:i.BIconVolumeUpFill,BIconVr:i.BIconVr,BIconWallet:i.BIconWallet,BIconWallet2:i.BIconWallet2,BIconWalletFill:i.BIconWalletFill,BIconWatch:i.BIconWatch,BIconWater:i.BIconWater,BIconWhatsapp:i.BIconWhatsapp,BIconWifi:i.BIconWifi,BIconWifi1:i.BIconWifi1,BIconWifi2:i.BIconWifi2,BIconWifiOff:i.BIconWifiOff,BIconWind:i.BIconWind,BIconWindow:i.BIconWindow,BIconWindowDock:i.BIconWindowDock,BIconWindowSidebar:i.BIconWindowSidebar,BIconWrench:i.BIconWrench,BIconX:i.BIconX,BIconXCircle:i.BIconXCircle,BIconXCircleFill:i.BIconXCircleFill,BIconXDiamond:i.BIconXDiamond,BIconXDiamondFill:i.BIconXDiamondFill,BIconXLg:i.BIconXLg,BIconXOctagon:i.BIconXOctagon,BIconXOctagonFill:i.BIconXOctagonFill,BIconXSquare:i.BIconXSquare,BIconXSquareFill:i.BIconXSquareFill,BIconYoutube:i.BIconYoutube,BIconZoomIn:i.BIconZoomIn,BIconZoomOut:i.BIconZoomOut}}),c=(0,a.pluginFactoryNoConfig)({plugins:{IconsPlugin:l}},{NAME:"BootstrapVueIcons"})},25518:(e,t,n)=>{"use strict";n.r(t),n.d(t,{AlertPlugin:()=>p.AlertPlugin,AspectPlugin:()=>v.AspectPlugin,AvatarPlugin:()=>_.AvatarPlugin,BAlert:()=>m.BAlert,BAspect:()=>g.BAspect,BAvatar:()=>b.BAvatar,BAvatarGroup:()=>y.BAvatarGroup,BBadge:()=>M.BBadge,BBreadcrumb:()=>B.BBreadcrumb,BBreadcrumbItem:()=>k.BBreadcrumbItem,BButton:()=>P.BButton,BButtonClose:()=>E.BButtonClose,BButtonGroup:()=>O.BButtonGroup,BButtonToolbar:()=>A.BButtonToolbar,BCalendar:()=>C.BCalendar,BCard:()=>D.BCard,BCardBody:()=>F.BCardBody,BCardFooter:()=>R.BCardFooter,BCardGroup:()=>N.BCardGroup,BCardHeader:()=>H.BCardHeader,BCardImg:()=>V.BCardImg,BCardImgLazy:()=>Y.BCardImgLazy,BCardSubTitle:()=>j.BCardSubTitle,BCardText:()=>U.BCardText,BCardTitle:()=>$.BCardTitle,BCarousel:()=>G.BCarousel,BCarouselSlide:()=>q.BCarouselSlide,BCol:()=>at.BCol,BCollapse:()=>K.BCollapse,BContainer:()=>tt.BContainer,BDropdown:()=>Z.BDropdown,BDropdownDivider:()=>te.BDropdownDivider,BDropdownForm:()=>ne.BDropdownForm,BDropdownGroup:()=>ae.BDropdownGroup,BDropdownHeader:()=>re.BDropdownHeader,BDropdownItem:()=>Q.BDropdownItem,BDropdownItemButton:()=>ee.BDropdownItemButton,BDropdownText:()=>oe.BDropdownText,BEmbed:()=>se.BEmbed,BForm:()=>ce.BForm,BFormCheckbox:()=>me.BFormCheckbox,BFormCheckboxGroup:()=>ve.BFormCheckboxGroup,BFormDatalist:()=>ue.BFormDatalist,BFormDatepicker:()=>_e.BFormDatepicker,BFormFile:()=>ye.BFormFile,BFormGroup:()=>Me.BFormGroup,BFormInput:()=>Be.BFormInput,BFormInvalidFeedback:()=>he.BFormInvalidFeedback,BFormRadio:()=>Te.BFormRadio,BFormRadioGroup:()=>Pe.BFormRadioGroup,BFormRating:()=>xe.BFormRating,BFormRow:()=>rt.BFormRow,BFormSelect:()=>Ce.BFormSelect,BFormSelectOption:()=>ze.BFormSelectOption,BFormSelectOptionGroup:()=>De.BFormSelectOptionGroup,BFormSpinbutton:()=>Re.BFormSpinbutton,BFormTag:()=>Ae.BFormTag,BFormTags:()=>Se.BFormTags,BFormText:()=>de.BFormText,BFormTextarea:()=>He.BFormTextarea,BFormTimepicker:()=>Ye.BFormTimepicker,BFormValidFeedback:()=>fe.BFormValidFeedback,BIcon:()=>u.BIcon,BIconstack:()=>d.BIconstack,BImg:()=>Ue.BImg,BImgLazy:()=>$e.BImgLazy,BInputGroup:()=>Ge.BInputGroup,BInputGroupAddon:()=>qe.BInputGroupAddon,BInputGroupAppend:()=>Xe.BInputGroupAppend,BInputGroupPrepend:()=>Ke.BInputGroupPrepend,BInputGroupText:()=>Je.BInputGroupText,BJumbotron:()=>Qe.BJumbotron,BLink:()=>it.BLink,BListGroup:()=>lt.BListGroup,BListGroupItem:()=>ct.BListGroupItem,BMedia:()=>dt.BMedia,BMediaAside:()=>ht.BMediaAside,BMediaBody:()=>ft.BMediaBody,BModal:()=>mt.BModal,BNav:()=>gt.BNav,BNavForm:()=>_t.BNavForm,BNavItem:()=>bt.BNavItem,BNavItemDropdown:()=>yt.BNavItemDropdown,BNavText:()=>It.BNavText,BNavbar:()=>wt.BNavbar,BNavbarBrand:()=>Bt.BNavbarBrand,BNavbarNav:()=>kt.BNavbarNav,BNavbarToggle:()=>Tt.BNavbarToggle,BOverlay:()=>Et.BOverlay,BPagination:()=>Ot.BPagination,BPaginationNav:()=>At.BPaginationNav,BPopover:()=>Ct.BPopover,BProgress:()=>Dt.BProgress,BProgressBar:()=>Ft.BProgressBar,BRow:()=>nt.BRow,BSidebar:()=>Nt.BSidebar,BSkeleton:()=>Vt.BSkeleton,BSkeletonIcon:()=>Yt.BSkeletonIcon,BSkeletonImg:()=>jt.BSkeletonImg,BSkeletonTable:()=>Ut.BSkeletonTable,BSkeletonWrapper:()=>$t.BSkeletonWrapper,BSpinner:()=>Gt.BSpinner,BTab:()=>sn.BTab,BTable:()=>Xt.BTable,BTableLite:()=>Kt.BTableLite,BTableSimple:()=>Jt.BTableSimple,BTabs:()=>on.BTabs,BTbody:()=>Zt.BTbody,BTd:()=>an.BTd,BTfoot:()=>en.BTfoot,BTh:()=>nn.BTh,BThead:()=>Qt.BThead,BTime:()=>cn.BTime,BToast:()=>dn.BToast,BToaster:()=>hn.BToaster,BTooltip:()=>pn.BTooltip,BTr:()=>tn.BTr,BVConfig:()=>i.BVConfigPlugin,BVConfigPlugin:()=>i.BVConfigPlugin,BVModalPlugin:()=>s.BVModalPlugin,BVToastPlugin:()=>l.BVToastPlugin,BadgePlugin:()=>I.BadgePlugin,BootstrapVue:()=>Sn,BootstrapVueIcons:()=>c.BootstrapVueIcons,BreadcrumbPlugin:()=>w.BreadcrumbPlugin,ButtonGroupPlugin:()=>x.ButtonGroupPlugin,ButtonPlugin:()=>T.ButtonPlugin,ButtonToolbarPlugin:()=>S.ButtonToolbarPlugin,CalendarPlugin:()=>L.CalendarPlugin,CardPlugin:()=>z.CardPlugin,CarouselPlugin:()=>W.CarouselPlugin,CollapsePlugin:()=>X.CollapsePlugin,DropdownPlugin:()=>J.DropdownPlugin,EmbedPlugin:()=>ie.EmbedPlugin,FormCheckboxPlugin:()=>pe.FormCheckboxPlugin,FormDatepickerPlugin:()=>ge.FormDatepickerPlugin,FormFilePlugin:()=>be.FormFilePlugin,FormGroupPlugin:()=>Ie.FormGroupPlugin,FormInputPlugin:()=>we.FormInputPlugin,FormPlugin:()=>le.FormPlugin,FormRadioPlugin:()=>ke.FormRadioPlugin,FormRatingPlugin:()=>Ee.FormRatingPlugin,FormSelectPlugin:()=>Le.FormSelectPlugin,FormSpinbuttonPlugin:()=>Fe.FormSpinbuttonPlugin,FormTagsPlugin:()=>Oe.FormTagsPlugin,FormTextareaPlugin:()=>Ne.FormTextareaPlugin,FormTimepickerPlugin:()=>Ve.FormTimepickerPlugin,IconsPlugin:()=>c.IconsPlugin,ImagePlugin:()=>je.ImagePlugin,InputGroupPlugin:()=>We.InputGroupPlugin,JumbotronPlugin:()=>Ze.JumbotronPlugin,LayoutPlugin:()=>et.LayoutPlugin,LinkPlugin:()=>ot.LinkPlugin,ListGroupPlugin:()=>st.ListGroupPlugin,MediaPlugin:()=>ut.MediaPlugin,ModalPlugin:()=>pt.ModalPlugin,NAME:()=>xn,NavPlugin:()=>vt.NavPlugin,NavbarPlugin:()=>Mt.NavbarPlugin,OverlayPlugin:()=>Pt.OverlayPlugin,PaginationNavPlugin:()=>St.PaginationNavPlugin,PaginationPlugin:()=>xt.PaginationPlugin,PopoverPlugin:()=>Lt.PopoverPlugin,ProgressPlugin:()=>zt.ProgressPlugin,SidebarPlugin:()=>Rt.SidebarPlugin,SkeletonPlugin:()=>Ht.SkeletonPlugin,SpinnerPlugin:()=>Wt.SpinnerPlugin,TableLitePlugin:()=>qt.TableLitePlugin,TablePlugin:()=>qt.TablePlugin,TableSimplePlugin:()=>qt.TableSimplePlugin,TabsPlugin:()=>rn.TabsPlugin,TimePlugin:()=>ln.TimePlugin,ToastPlugin:()=>un.ToastPlugin,TooltipPlugin:()=>fn.TooltipPlugin,VBHover:()=>vn.VBHover,VBHoverPlugin:()=>mn.VBHoverPlugin,VBModal:()=>_n.VBModal,VBModalPlugin:()=>gn.VBModalPlugin,VBPopover:()=>yn.VBPopover,VBPopoverPlugin:()=>bn.VBPopoverPlugin,VBScrollspy:()=>Mn.VBScrollspy,VBScrollspyPlugin:()=>In.VBScrollspyPlugin,VBToggle:()=>Bn.VBToggle,VBTogglePlugin:()=>wn.VBTogglePlugin,VBTooltip:()=>Tn.VBTooltip,VBTooltipPlugin:()=>kn.VBTooltipPlugin,VBVisible:()=>En.VBVisible,VBVisiblePlugin:()=>Pn.VBVisiblePlugin,default:()=>An,install:()=>On});var a=n(11638),r=n(17826),o=n(75573),i=n(77354),s=n(42169),l=n(20389),c=n(97238),u=n(43022),d=n(5195),h=n(7543),f={};for(const e in h)["default","install","NAME","BVConfigPlugin","BVConfig","BootstrapVue","BVModalPlugin","BVToastPlugin","IconsPlugin","BootstrapVueIcons","BIcon","BIconstack","AlertPlugin","BAlert","AspectPlugin","BAspect","AvatarPlugin","BAvatar","BAvatarGroup","BadgePlugin","BBadge","BreadcrumbPlugin","BBreadcrumb","BBreadcrumbItem","ButtonPlugin","BButton","BButtonClose","ButtonGroupPlugin","BButtonGroup","ButtonToolbarPlugin","BButtonToolbar","CalendarPlugin","BCalendar","CardPlugin","BCard","BCardBody","BCardFooter","BCardGroup","BCardHeader","BCardImg","BCardImgLazy","BCardSubTitle","BCardText","BCardTitle","CarouselPlugin","BCarousel","BCarouselSlide","CollapsePlugin","BCollapse","DropdownPlugin","BDropdown","BDropdownItem","BDropdownItemButton","BDropdownDivider","BDropdownForm","BDropdownGroup","BDropdownHeader","BDropdownText","EmbedPlugin","BEmbed","FormPlugin","BForm","BFormDatalist","BFormText","BFormInvalidFeedback","BFormValidFeedback","FormCheckboxPlugin","BFormCheckbox","BFormCheckboxGroup","FormDatepickerPlugin","BFormDatepicker","FormFilePlugin","BFormFile","FormGroupPlugin","BFormGroup","FormInputPlugin","BFormInput","FormRadioPlugin","BFormRadio","BFormRadioGroup","FormRatingPlugin","BFormRating","FormTagsPlugin","BFormTags","BFormTag","FormSelectPlugin","BFormSelect","BFormSelectOption","BFormSelectOptionGroup","FormSpinbuttonPlugin","BFormSpinbutton","FormTextareaPlugin","BFormTextarea","FormTimepickerPlugin","BFormTimepicker","ImagePlugin","BImg","BImgLazy","InputGroupPlugin","BInputGroup","BInputGroupAddon","BInputGroupAppend","BInputGroupPrepend","BInputGroupText","JumbotronPlugin","BJumbotron","LayoutPlugin","BContainer","BRow","BCol","BFormRow","LinkPlugin","BLink","ListGroupPlugin","BListGroup","BListGroupItem","MediaPlugin","BMedia","BMediaAside","BMediaBody","ModalPlugin","BModal","NavPlugin","BNav","BNavForm","BNavItem","BNavItemDropdown","BNavText","NavbarPlugin","BNavbar","BNavbarBrand","BNavbarNav","BNavbarToggle","OverlayPlugin","BOverlay","PaginationPlugin","BPagination","PaginationNavPlugin","BPaginationNav","PopoverPlugin","BPopover","ProgressPlugin","BProgress","BProgressBar","SidebarPlugin","BSidebar","SkeletonPlugin","BSkeleton","BSkeletonIcon","BSkeletonImg","BSkeletonTable","BSkeletonWrapper","SpinnerPlugin","BSpinner","TablePlugin","TableLitePlugin","TableSimplePlugin","BTable","BTableLite","BTableSimple","BTbody","BThead","BTfoot","BTr","BTh","BTd","TabsPlugin","BTabs","BTab","TimePlugin","BTime","ToastPlugin","BToast","BToaster","TooltipPlugin","BTooltip","VBHoverPlugin","VBHover","VBModalPlugin","VBModal","VBPopoverPlugin","VBPopover","VBScrollspyPlugin","VBScrollspy","VBTogglePlugin","VBToggle","VBTooltipPlugin","VBTooltip","VBVisiblePlugin","VBVisible"].indexOf(e)<0&&(f[e]=()=>h[e]);n.d(t,f);var p=n(45279),m=n(73106),v=n(74278),g=n(98688),_=n(48391),b=n(47389),y=n(74829),I=n(32026),M=n(26034),w=n(93575),B=n(74825),k=n(90854),T=n(1869),P=n(15193),E=n(91451),x=n(47070),O=n(45969),S=n(23059),A=n(41984),L=n(75360),C=n(67065),z=n(51684),D=n(86855),F=n(19279),R=n(37674),N=n(97794),H=n(87047),V=n(13481),Y=n(19546),j=n(49034),U=n(64206),$=n(49379),W=n(68512),G=n(37072),q=n(25835),X=n(31586),K=n(68283),J=n(25952),Z=n(31642),Q=n(87379),ee=n(2332),te=n(41294),ne=n(44424),ae=n(540),re=n(53630),oe=n(25880),ie=n(49244),se=n(14289),le=n(5210),ce=n(54909),ue=n(62918),de=n(51666),he=n(52307),fe=n(98761),pe=n(15696),me=n(65098),ve=n(64431),ge=n(88126),_e=n(92629),be=n(67786),ye=n(40986),Ie=n(25613),Me=n(46709),we=n(34274),Be=n(22183),ke=n(35779),Te=n(76398),Pe=n(87167),Ee=n(9487),xe=n(16398),Oe=n(48156),Se=n(71605),Ae=n(51909),Le=n(99888),Ce=n(71567),ze=n(78959),De=n(2938),Fe=n(57832),Re=n(44390),Ne=n(90093),He=n(333),Ve=n(94814),Ye=n(18577),je=n(52749),Ue=n(98156),$e=n(78130),We=n(45284),Ge=n(4060),qe=n(74199),Xe=n(22418),Ke=n(27754),Je=n(18222),Ze=n(69589),Qe=n(855),et=n(48648),tt=n(34147),nt=n(26253),at=n(50725),rt=n(46310),ot=n(30959),it=n(67347),st=n(87841),lt=n(70322),ct=n(88367),ut=n(35198),dt=n(72775),ht=n(87272),ft=n(68361),pt=n(45906),mt=n(49679),vt=n(53156),gt=n(29027),_t=n(77089),bt=n(32450),yt=n(26221),It=n(73064),Mt=n(55739),wt=n(71603),Bt=n(19189),kt=n(29852),Tt=n(87445),Pt=n(98812),Et=n(66126),xt=n(1781),Ot=n(10962),St=n(11856),At=n(86918),Lt=n(71868),Ct=n(53862),zt=n(37587),Dt=n(45752),Ft=n(22981),Rt=n(44196),Nt=n(6675),Ht=n(87140),Vt=n(14777),Yt=n(69049),jt=n(1830),Ut=n(4006),$t=n(46499),Wt=n(82496),Gt=n(1759),qt=n(56778),Xt=n(86052),Kt=n(1071),Jt=n(85589),Zt=n(80560),Qt=n(13944),en=n(10838),tn=n(92095),nn=n(69919),an=n(66456),rn=n(91573),on=n(58887),sn=n(51015),ln=n(61783),cn=n(98916),un=n(48233),dn=n(10575),hn=n(33628),fn=n(63886),pn=n(18365),mn=n(22305),vn=n(25700),gn=n(16396),_n=n(82653),bn=n(68969),yn=n(86429),In=n(24349),Mn=n(95614),wn=n(7351),Bn=n(43028),kn=n(9153),Tn=n(5870),Pn=n(65694),En=n(58290),xn="BootstrapVue",On=(0,a.installFactory)({plugins:{componentsPlugin:r.componentsPlugin,directivesPlugin:o.directivesPlugin}}),Sn={install:On,NAME:xn};const An=Sn},28492:(e,t,n)=>{"use strict";n.r(t),n.d(t,{attrsMixin:()=>c});var a=n(51665),r=n(1915);function o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function i(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var s=(0,a.makePropCacheMixin)("$attrs","bvAttrs"),l=(0,r.extend)({computed:{bvAttrs:function(){var e=function(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{cardMixin:()=>l,props:()=>s});var a=n(1915),r=n(94689),o=n(12299),i=n(20451),s=(0,i.makePropsConfigurable)({bgVariant:(0,i.makeProp)(o.PROP_TYPE_STRING),borderVariant:(0,i.makeProp)(o.PROP_TYPE_STRING),tag:(0,i.makeProp)(o.PROP_TYPE_STRING,"div"),textVariant:(0,i.makeProp)(o.PROP_TYPE_STRING)},r.NAME_CARD),l=(0,a.extend)({props:s})},297:(e,t,n)=>{"use strict";n.r(t),n.d(t,{clickOutMixin:()=>s});var a=n(1915),r=n(63294),o=n(26410),i=n(28415),s=(0,a.extend)({data:function(){return{listenForClickOut:!1}},watch:{listenForClickOut:function(e,t){e!==t&&((0,i.eventOff)(this.clickOutElement,this.clickOutEventName,this._clickOutHandler,r.EVENT_OPTIONS_NO_CAPTURE),e&&(0,i.eventOn)(this.clickOutElement,this.clickOutEventName,this._clickOutHandler,r.EVENT_OPTIONS_NO_CAPTURE))}},beforeCreate:function(){this.clickOutElement=null,this.clickOutEventName=null},mounted:function(){this.clickOutElement||(this.clickOutElement=document),this.clickOutEventName||(this.clickOutEventName="click"),this.listenForClickOut&&(0,i.eventOn)(this.clickOutElement,this.clickOutEventName,this._clickOutHandler,r.EVENT_OPTIONS_NO_CAPTURE)},beforeDestroy:function(){(0,i.eventOff)(this.clickOutElement,this.clickOutEventName,this._clickOutHandler,r.EVENT_OPTIONS_NO_CAPTURE)},methods:{isClickOut:function(e){return!(0,o.contains)(this.$el,e.target)},_clickOutHandler:function(e){this.clickOutHandler&&this.isClickOut(e)&&this.clickOutHandler(e)}}})},87649:(e,t,n)=>{"use strict";n.r(t),n.d(t,{dropdownMixin:()=>S,props:()=>O});var a=n(28981),r=n(1915),o=n(94689),i=n(43935),s=n(63294),l=n(63663),c=n(53972),u=n(12299),d=n(28112),h=n(37130),f=n(26410),p=n(28415),m=n(33284),v=n(67040),g=n(20451),_=n(37568),b=n(297),y=n(65720),I=n(73727),M=n(98596),w=n(99022);function B(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function k(e){for(var t=1;t0&&void 0!==arguments[0]&&arguments[0];this.disabled||(this.visible=!1,e&&this.$once(s.EVENT_NAME_HIDDEN,this.focusToggler))},toggle:function(e){var t=e=e||{},n=t.type,a=t.keyCode;("click"===n||"keydown"===n&&-1!==[l.CODE_ENTER,l.CODE_SPACE,l.CODE_DOWN].indexOf(a))&&(this.disabled?this.visible=!1:(this.$emit(s.EVENT_NAME_TOGGLE,e),(0,p.stopEvent)(e),this.visible?this.hide(!0):this.show()))},onMousedown:function(e){(0,p.stopEvent)(e,{propagation:!1})},onKeydown:function(e){var t=e.keyCode;t===l.CODE_ESC?this.onEsc(e):t===l.CODE_DOWN?this.focusNext(e,!1):t===l.CODE_UP&&this.focusNext(e,!0)},onEsc:function(e){this.visible&&(this.visible=!1,(0,p.stopEvent)(e),this.$once(s.EVENT_NAME_HIDDEN,this.focusToggler))},onSplitClick:function(e){this.disabled?this.visible=!1:this.$emit(s.EVENT_NAME_CLICK,e)},hideHandler:function(e){var t=this,n=e.target;!this.visible||(0,f.contains)(this.$refs.menu,n)||(0,f.contains)(this.toggler,n)||(this.clearHideTimeout(),this.$_hideTimeout=setTimeout((function(){return t.hide()}),this.hideDelay))},clickOutHandler:function(e){this.hideHandler(e)},focusInHandler:function(e){this.hideHandler(e)},focusNext:function(e,t){var n=this,a=e.target;!this.visible||e&&(0,f.closest)(".dropdown form",a)||((0,p.stopEvent)(e),this.$nextTick((function(){var e=n.getItems();if(!(e.length<1)){var r=e.indexOf(a);t&&r>0?r--:!t&&r{"use strict";n.r(t),n.d(t,{focusInMixin:()=>i});var a=n(1915),r=n(63294),o=n(28415),i=(0,a.extend)({data:function(){return{listenForFocusIn:!1}},watch:{listenForFocusIn:function(e,t){e!==t&&((0,o.eventOff)(this.focusInElement,"focusin",this._focusInHandler,r.EVENT_OPTIONS_NO_CAPTURE),e&&(0,o.eventOn)(this.focusInElement,"focusin",this._focusInHandler,r.EVENT_OPTIONS_NO_CAPTURE))}},beforeCreate:function(){this.focusInElement=null},mounted:function(){this.focusInElement||(this.focusInElement=document),this.listenForFocusIn&&(0,o.eventOn)(this.focusInElement,"focusin",this._focusInHandler,r.EVENT_OPTIONS_NO_CAPTURE)},beforeDestroy:function(){(0,o.eventOff)(this.focusInElement,"focusin",this._focusInHandler,r.EVENT_OPTIONS_NO_CAPTURE)},methods:{_focusInHandler:function(e){this.focusInHandler&&this.focusInHandler(e)}}})},32023:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formControlMixin:()=>c,props:()=>l});var a=n(1915),r=n(12299),o=n(26410),i=n(20451),s="input, textarea, select",l=(0,i.makePropsConfigurable)({autofocus:(0,i.makeProp)(r.PROP_TYPE_BOOLEAN,!1),disabled:(0,i.makeProp)(r.PROP_TYPE_BOOLEAN,!1),form:(0,i.makeProp)(r.PROP_TYPE_STRING),id:(0,i.makeProp)(r.PROP_TYPE_STRING),name:(0,i.makeProp)(r.PROP_TYPE_STRING),required:(0,i.makeProp)(r.PROP_TYPE_BOOLEAN,!1)},"formControls"),c=(0,a.extend)({props:l,mounted:function(){this.handleAutofocus()},activated:function(){this.handleAutofocus()},methods:{handleAutofocus:function(){var e=this;this.$nextTick((function(){(0,o.requestAF)((function(){var t=e.$el;e.autofocus&&(0,o.isVisible)(t)&&((0,o.matches)(t,s)||(t=(0,o.select)(s,t)),(0,o.attemptFocus)(t))}))}))}}})},58137:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formCustomMixin:()=>s,props:()=>i});var a=n(1915),r=n(12299),o=n(20451),i=(0,o.makePropsConfigurable)({plain:(0,o.makeProp)(r.PROP_TYPE_BOOLEAN,!1)},"formControls"),s=(0,a.extend)({props:i,computed:{custom:function(){return!this.plain}}})},77330:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formOptionsMixin:()=>h,props:()=>d});var a=n(1915),r=n(12299),o=n(37668),i=n(18735),s=n(33284),l=n(67040),c=n(20451),u=n(37568),d=(0,c.makePropsConfigurable)({disabledField:(0,c.makeProp)(r.PROP_TYPE_STRING,"disabled"),htmlField:(0,c.makeProp)(r.PROP_TYPE_STRING,"html"),options:(0,c.makeProp)(r.PROP_TYPE_ARRAY_OBJECT,[]),textField:(0,c.makeProp)(r.PROP_TYPE_STRING,"text"),valueField:(0,c.makeProp)(r.PROP_TYPE_STRING,"value")},"formOptionControls"),h=(0,a.extend)({props:d,computed:{formOptions:function(){return this.normalizeOptions(this.options)}},methods:{normalizeOption:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;if((0,s.isPlainObject)(e)){var n=(0,o.get)(e,this.valueField),a=(0,o.get)(e,this.textField);return{value:(0,s.isUndefined)(n)?t||a:n,text:(0,i.stripTags)(String((0,s.isUndefined)(a)?t:a)),html:(0,o.get)(e,this.htmlField),disabled:Boolean((0,o.get)(e,this.disabledField))}}return{value:t||e,text:(0,i.stripTags)(String(e)),disabled:!1}},normalizeOptions:function(e){var t=this;return(0,s.isArray)(e)?e.map((function(e){return t.normalizeOption(e)})):(0,s.isPlainObject)(e)?((0,u.warn)('Setting prop "options" to an object is deprecated. Use the array format instead.',this.$options.name),(0,l.keys)(e).map((function(n){return t.normalizeOption(e[n]||{},n)}))):[]}}})},72985:(e,t,n)=>{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>x,MODEL_PROP_NAME:()=>E,formRadioCheckGroupMixin:()=>S,props:()=>O});var a,r=n(1915),o=n(12299),i=n(90494),s=n(18735),l=n(3058),c=n(54602),u=n(67040),d=n(20451),h=n(65098),f=n(76398),p=n(32023),m=n(58137),v=n(77330),g=n(49035),_=n(95505),b=n(73727),y=n(18280);function I(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function M(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>E,MODEL_PROP_NAME:()=>P,formRadioCheckMixin:()=>O,props:()=>x});var a,r,o=n(1915),i=n(12299),s=n(63294),l=n(26410),c=n(33284),u=n(3058),d=n(54602),h=n(67040),f=n(20451),p=n(28492),m=n(32023),v=n(58137),g=n(49035),_=n(95505),b=n(73727),y=n(18280);function I(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function M(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{formSelectionMixin:()=>a});var a=(0,n(1915).extend)({computed:{selectionStart:{cache:!1,get:function(){return this.$refs.input.selectionStart},set:function(e){this.$refs.input.selectionStart=e}},selectionEnd:{cache:!1,get:function(){return this.$refs.input.selectionEnd},set:function(e){this.$refs.input.selectionEnd=e}},selectionDirection:{cache:!1,get:function(){return this.$refs.input.selectionDirection},set:function(e){this.$refs.input.selectionDirection=e}}},methods:{select:function(){var e;(e=this.$refs.input).select.apply(e,arguments)},setSelectionRange:function(){var e;(e=this.$refs.input).setSelectionRange.apply(e,arguments)},setRangeText:function(){var e;(e=this.$refs.input).setRangeText.apply(e,arguments)}}})},49035:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formSizeMixin:()=>s,props:()=>i});var a=n(1915),r=n(12299),o=n(20451),i=(0,o.makePropsConfigurable)({size:(0,o.makeProp)(r.PROP_TYPE_STRING)},"formControls"),s=(0,a.extend)({props:i,computed:{sizeFormClass:function(){return[this.size?"form-control-".concat(this.size):null]}}})},95505:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formStateMixin:()=>c,props:()=>l});var a=n(1915),r=n(12299),o=n(33284),i=n(20451),s=n(10992),l=(0,i.makePropsConfigurable)({state:(0,i.makeProp)(r.PROP_TYPE_BOOLEAN,null)},"formState"),c=(0,a.extend)({props:l,computed:{computedState:function(){return(0,o.isBoolean)(this.state)?this.state:null},stateClass:function(){var e=this.computedState;return!0===e?"is-valid":!1===e?"is-invalid":null},computedAriaInvalid:function(){var e=(0,s.safeVueInstance)(this).ariaInvalid;return!0===e||"true"===e||""===e||!1===this.computedState?"true":e}}})},70403:(e,t,n)=>{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>I,MODEL_PROP_NAME:()=>y,formTextMixin:()=>w,props:()=>M});var a=n(1915),r=n(63294),o=n(12299),i=n(26410),s=n(28415),l=n(21578),c=n(54602),u=n(93954),d=n(67040),h=n(20451),f=n(46595);function p(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function m(e){for(var t=1;t2&&void 0!==arguments[2]&&arguments[2];return e=(0,f.toString)(e),!this.hasFormatter||this.lazyFormatter&&!n||(e=this.formatter(e,t)),e},modifyValue:function(e){return e=(0,f.toString)(e),this.trim&&(e=e.trim()),this.number&&(e=(0,u.toFloat)(e,e)),e},updateValue:function(e){var t=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],a=this.lazy;if(!a||n){this.clearDebounce();var r=function(){if((e=t.modifyValue(e))!==t.vModelValue)t.vModelValue=e,t.$emit(I,e);else if(t.hasFormatter){var n=t.$refs.input;n&&e!==n.value&&(n.value=e)}},o=this.computedDebounce;o>0&&!a&&!n?this.$_inputDebounceTimer=setTimeout(r,o):r()}},onInput:function(e){if(!e.target.composing){var t=e.target.value,n=this.formatValue(t,e);!1===n||e.defaultPrevented?(0,s.stopEvent)(e,{propagation:!1}):(this.localValue=n,this.updateValue(n),this.$emit(r.EVENT_NAME_INPUT,n))}},onChange:function(e){var t=e.target.value,n=this.formatValue(t,e);!1===n||e.defaultPrevented?(0,s.stopEvent)(e,{propagation:!1}):(this.localValue=n,this.updateValue(n,!0),this.$emit(r.EVENT_NAME_CHANGE,n))},onBlur:function(e){var t=e.target.value,n=this.formatValue(t,e,!0);!1!==n&&(this.localValue=(0,f.toString)(this.modifyValue(n)),this.updateValue(n,!0)),this.$emit(r.EVENT_NAME_BLUR,e)},focus:function(){this.disabled||(0,i.attemptFocus)(this.$el)},blur:function(){this.disabled||(0,i.attemptBlur)(this.$el)}}})},94791:(e,t,n)=>{"use strict";n.r(t),n.d(t,{formValidityMixin:()=>a});var a=(0,n(1915).extend)({computed:{validity:{cache:!1,get:function(){return this.$refs.input.validity}},validationMessage:{cache:!1,get:function(){return this.$refs.input.validationMessage}},willValidate:{cache:!1,get:function(){return this.$refs.input.willValidate}}},methods:{setCustomValidity:function(){var e;return(e=this.$refs.input).setCustomValidity.apply(e,arguments)},checkValidity:function(){var e;return(e=this.$refs.input).checkValidity.apply(e,arguments)},reportValidity:function(){var e;return(e=this.$refs.input).reportValidity.apply(e,arguments)}}})},45253:(e,t,n)=>{"use strict";n.r(t),n.d(t,{hasListenerMixin:()=>o});var a=n(1915),r=n(33284),o=(0,a.extend)({methods:{hasListener:function(e){if(a.isVue3)return!0;var t=this.$listeners||{},n=this._events||{};return!(0,r.isUndefined)(t[e])||(0,r.isArray)(n[e])&&n[e].length>0}}})},73727:(e,t,n)=>{"use strict";n.r(t),n.d(t,{idMixin:()=>i,props:()=>o});var a=n(1915),r=n(12299),o={id:(0,n(20451).makeProp)(r.PROP_TYPE_STRING)},i=(0,a.extend)({props:o,data:function(){return{localId_:null}},computed:{safeId:function(){var e=this.id||this.localId_;return function(t){return e?(t=String(t||"").replace(/\s+/g,"_"))?e+"_"+t:e:null}}},mounted:function(){var e=this;this.$nextTick((function(){e.localId_="__BVID__".concat(e[a.COMPONENT_UID_KEY])}))}})},45267:(e,t,n)=>{"use strict";n.r(t),n.d(t,{listenOnDocumentMixin:()=>u});var a=n(1915),r=n(43935),o=n(63294),i=n(11572),s=n(28415),l=n(67040),c="$_documentListeners",u=(0,a.extend)({created:function(){this[c]={}},beforeDestroy:function(){var e=this;(0,l.keys)(this[c]||{}).forEach((function(t){e[c][t].forEach((function(n){e.listenOffDocument(t,n)}))})),this[c]=null},methods:{registerDocumentListener:function(e,t){this[c]&&(this[c][e]=this[c][e]||[],(0,i.arrayIncludes)(this[c][e],t)||this[c][e].push(t))},unregisterDocumentListener:function(e,t){this[c]&&this[c][e]&&(this[c][e]=this[c][e].filter((function(e){return e!==t})))},listenDocument:function(e,t,n){e?this.listenOnDocument(t,n):this.listenOffDocument(t,n)},listenOnDocument:function(e,t){r.IS_BROWSER&&((0,s.eventOn)(document,e,t,o.EVENT_OPTIONS_NO_CAPTURE),this.registerDocumentListener(e,t))},listenOffDocument:function(e,t){r.IS_BROWSER&&(0,s.eventOff)(document,e,t,o.EVENT_OPTIONS_NO_CAPTURE),this.unregisterDocumentListener(e,t)}}})},98596:(e,t,n)=>{"use strict";n.r(t),n.d(t,{listenOnRootMixin:()=>l});var a=n(1915),r=n(11572),o=n(67040),i=n(91076),s="$_rootListeners",l=(0,a.extend)({computed:{bvEventRoot:function(){return(0,i.getEventRoot)(this)}},created:function(){this[s]={}},beforeDestroy:function(){var e=this;(0,o.keys)(this[s]||{}).forEach((function(t){e[s][t].forEach((function(n){e.listenOffRoot(t,n)}))})),this[s]=null},methods:{registerRootListener:function(e,t){this[s]&&(this[s][e]=this[s][e]||[],(0,r.arrayIncludes)(this[s][e],t)||this[s][e].push(t))},unregisterRootListener:function(e,t){this[s]&&this[s][e]&&(this[s][e]=this[s][e].filter((function(e){return e!==t})))},listenOnRoot:function(e,t){this.bvEventRoot&&(this.bvEventRoot.$on(e,t),this.registerRootListener(e,t))},listenOnRootOnce:function(e,t){var n=this;if(this.bvEventRoot){var a=function e(){n.unregisterRootListener(e),t.apply(void 0,arguments)};this.bvEventRoot.$once(e,a),this.registerRootListener(e,a)}},listenOffRoot:function(e,t){this.unregisterRootListener(e,t),this.bvEventRoot&&this.bvEventRoot.$off(e,t)},emitOnRoot:function(e){if(this.bvEventRoot){for(var t,n=arguments.length,a=new Array(n>1?n-1:0),r=1;r{"use strict";n.r(t),n.d(t,{listenOnWindowMixin:()=>u});var a=n(1915),r=n(43935),o=n(63294),i=n(11572),s=n(28415),l=n(67040),c="$_windowListeners",u=(0,a.extend)({created:function(){this[c]={}},beforeDestroy:function(){var e=this;(0,l.keys)(this[c]||{}).forEach((function(t){e[c][t].forEach((function(n){e.listenOffWindow(t,n)}))})),this[c]=null},methods:{registerWindowListener:function(e,t){this[c]&&(this[c][e]=this[c][e]||[],(0,i.arrayIncludes)(this[c][e],t)||this[c][e].push(t))},unregisterWindowListener:function(e,t){this[c]&&this[c][e]&&(this[c][e]=this[c][e].filter((function(e){return e!==t})))},listenWindow:function(e,t,n){e?this.listenOnWindow(t,n):this.listenOffWindow(t,n)},listenOnWindow:function(e,t){r.IS_BROWSER&&((0,s.eventOn)(window,e,t,o.EVENT_OPTIONS_NO_CAPTURE),this.registerWindowListener(e,t))},listenOffWindow:function(e,t){r.IS_BROWSER&&(0,s.eventOff)(window,e,t,o.EVENT_OPTIONS_NO_CAPTURE),this.unregisterWindowListener(e,t)}}})},76677:(e,t,n)=>{"use strict";n.r(t),n.d(t,{listenersMixin:()=>u});var a=n(51665),r=n(1915);function o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function i(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>s,MODEL_PROP_NAME:()=>i,modelMixin:()=>r,props:()=>o});var a=(0,n(54602).makeModelMixin)("value"),r=a.mixin,o=a.props,i=a.prop,s=a.event},18280:(e,t,n)=>{"use strict";n.r(t),n.d(t,{normalizeSlotMixin:()=>s});var a=n(1915),r=n(90494),o=n(72345),i=n(11572),s=(0,a.extend)({methods:{hasNormalizedSlot:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:r.SLOT_NAME_DEFAULT,t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.$scopedSlots,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.$slots;return(0,o.hasNormalizedSlot)(e,t,n)},normalizeSlot:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:r.SLOT_NAME_DEFAULT,t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.$scopedSlots,a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:this.$slots,s=(0,o.normalizeSlot)(e,t,n,a);return s?(0,i.concat)(s):s}}})},29878:(e,t,n)=>{"use strict";n.r(t),n.d(t,{MODEL_EVENT_NAME:()=>O,MODEL_PROP_NAME:()=>x,paginationMixin:()=>z,props:()=>C});var a,r=n(1915),o=n(94689),i=n(63663),s=n(12299),l=n(90494),c=n(11572),u=n(26410),d=n(28415),h=n(33284),f=n(21578),p=n(54602),m=n(93954),v=n(67040),g=n(20451),_=n(10992),b=n(46595),y=n(37568),I=n(18280),M=n(67347);function w(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function B(e){for(var t=1;tt?t:n<1?1:n},L=function(e){if(e.keyCode===i.CODE_SPACE)return(0,d.stopEvent)(e,{immediatePropagation:!0}),e.currentTarget.click(),!1},C=(0,g.makePropsConfigurable)((0,v.sortKeys)(B(B({},E),{},{align:(0,g.makeProp)(s.PROP_TYPE_STRING,"left"),ariaLabel:(0,g.makeProp)(s.PROP_TYPE_STRING,"Pagination"),disabled:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),ellipsisClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),ellipsisText:(0,g.makeProp)(s.PROP_TYPE_STRING,"…"),firstClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),firstNumber:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),firstText:(0,g.makeProp)(s.PROP_TYPE_STRING,"«"),hideEllipsis:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),hideGotoEndButtons:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),labelFirstPage:(0,g.makeProp)(s.PROP_TYPE_STRING,"Go to first page"),labelLastPage:(0,g.makeProp)(s.PROP_TYPE_STRING,"Go to last page"),labelNextPage:(0,g.makeProp)(s.PROP_TYPE_STRING,"Go to next page"),labelPage:(0,g.makeProp)(s.PROP_TYPE_FUNCTION_STRING,"Go to page"),labelPrevPage:(0,g.makeProp)(s.PROP_TYPE_STRING,"Go to previous page"),lastClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),lastNumber:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),lastText:(0,g.makeProp)(s.PROP_TYPE_STRING,"»"),limit:(0,g.makeProp)(s.PROP_TYPE_NUMBER_STRING,5,(function(e){return!((0,m.toInteger)(e,0)<1)||((0,y.warn)('Prop "limit" must be a number greater than "0"',o.NAME_PAGINATION),!1)})),nextClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),nextText:(0,g.makeProp)(s.PROP_TYPE_STRING,"›"),pageClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),pills:(0,g.makeProp)(s.PROP_TYPE_BOOLEAN,!1),prevClass:(0,g.makeProp)(s.PROP_TYPE_ARRAY_OBJECT_STRING),prevText:(0,g.makeProp)(s.PROP_TYPE_STRING,"‹"),size:(0,g.makeProp)(s.PROP_TYPE_STRING)})),"pagination"),z=(0,r.extend)({mixins:[P,I.normalizeSlotMixin],props:C,data:function(){var e=(0,m.toInteger)(this[x],0);return{currentPage:e=e>0?e:-1,localNumberOfPages:1,localLimit:5}},computed:{btnSize:function(){var e=this.size;return e?"pagination-".concat(e):""},alignment:function(){var e=this.align;return"center"===e?"justify-content-center":"end"===e||"right"===e?"justify-content-end":"fill"===e?"text-center":""},styleClass:function(){return this.pills?"b-pagination-pills":""},computedCurrentPage:function(){return A(this.currentPage,this.localNumberOfPages)},paginationParams:function(){var e=this.localLimit,t=this.localNumberOfPages,n=this.computedCurrentPage,a=this.hideEllipsis,r=this.firstNumber,o=this.lastNumber,i=!1,s=!1,l=e,c=1;t<=e?l=t:n3?(a&&!o||(s=!0,l=e-(r?0:1)),l=(0,f.mathMin)(l,e)):t-n+23?(a&&!r||(i=!0,l=e-(o?0:1)),c=t-l+1):(e>3&&(l=e-(a?0:2),i=!(a&&!r),s=!(a&&!o)),c=n-(0,f.mathFloor)(l/2)),c<1?(c=1,i=!1):c>t-l&&(c=t-l+1,s=!1),i&&r&&c<4&&(l+=2,c=1,i=!1);var u=c+l-1;return s&&o&&u>t-3&&(l+=u===t-2?2:3,s=!1),e<=3&&(r&&1===c?l=(0,f.mathMin)(l+1,t,e+1):o&&t===c+l-1&&(c=(0,f.mathMax)(c-1,1),l=(0,f.mathMin)(t-c+1,t,e+1))),{showFirstDots:i,showLastDots:s,numberOfLinks:l=(0,f.mathMin)(l,t-c+1),startNumber:c}},pageList:function(){var e=this.paginationParams,t=e.numberOfLinks,n=e.startNumber,a=this.computedCurrentPage,r=function(e,t){return(0,c.createArray)(t,(function(t,n){return{number:e+n,classes:null}}))}(n,t);if(r.length>3){var o=a-n,i="bv-d-xs-down-none";if(0===o)for(var s=3;so+1;d--)r[d].classes=i}}return r}},watch:(a={},k(a,x,(function(e,t){e!==t&&(this.currentPage=A(e,this.localNumberOfPages))})),k(a,"currentPage",(function(e,t){e!==t&&this.$emit(O,e>0?e:null)})),k(a,"limit",(function(e,t){e!==t&&(this.localLimit=S(e))})),a),created:function(){var e=this;this.localLimit=S(this.limit),this.$nextTick((function(){e.currentPage=e.currentPage>e.localNumberOfPages?e.localNumberOfPages:e.currentPage}))},methods:{handleKeyNav:function(e){var t=e.keyCode,n=e.shiftKey;this.isNav||(t===i.CODE_LEFT||t===i.CODE_UP?((0,d.stopEvent)(e,{propagation:!1}),n?this.focusFirst():this.focusPrev()):t!==i.CODE_RIGHT&&t!==i.CODE_DOWN||((0,d.stopEvent)(e,{propagation:!1}),n?this.focusLast():this.focusNext()))},getButtons:function(){return(0,u.selectAll)("button.page-link, a.page-link",this.$el).filter((function(e){return(0,u.isVisible)(e)}))},focusCurrent:function(){var e=this;this.$nextTick((function(){var t=e.getButtons().find((function(t){return(0,m.toInteger)((0,u.getAttr)(t,"aria-posinset"),0)===e.computedCurrentPage}));(0,u.attemptFocus)(t)||e.focusFirst()}))},focusFirst:function(){var e=this;this.$nextTick((function(){var t=e.getButtons().find((function(e){return!(0,u.isDisabled)(e)}));(0,u.attemptFocus)(t)}))},focusLast:function(){var e=this;this.$nextTick((function(){var t=e.getButtons().reverse().find((function(e){return!(0,u.isDisabled)(e)}));(0,u.attemptFocus)(t)}))},focusPrev:function(){var e=this;this.$nextTick((function(){var t=e.getButtons(),n=t.indexOf((0,u.getActiveElement)());n>0&&!(0,u.isDisabled)(t[n-1])&&(0,u.attemptFocus)(t[n-1])}))},focusNext:function(){var e=this;this.$nextTick((function(){var t=e.getButtons(),n=t.indexOf((0,u.getActiveElement)());ns,f=n<1?1:n>s?s:n,p={disabled:h,page:f,index:f-1},v=t.normalizeSlot(o,p)||(0,b.toString)(l)||e(),g=e(h?"span":i?M.BLink:"button",{staticClass:"page-link",class:{"flex-grow-1":!i&&!h&&m},props:h||!i?{}:t.linkProps(n),attrs:{role:i?null:"menuitem",type:i||h?null:"button",tabindex:h||i?null:"-1","aria-label":r,"aria-controls":(0,_.safeVueInstance)(t).ariaControls||null,"aria-disabled":h?"true":null},on:h?{}:{"!click":function(e){t.onClick(e,n)},keydown:L}},[v]);return e("li",{key:d,staticClass:"page-item",class:[{disabled:h,"flex-fill":m,"d-flex":m&&!i&&!h},c],attrs:{role:i?null:"presentation","aria-hidden":h?"true":null}},[g])},B=function(n){return e("li",{staticClass:"page-item",class:["disabled","bv-d-xs-down-none",m?"flex-fill":"",t.ellipsisClass],attrs:{role:"separator"},key:"ellipsis-".concat(n?"last":"first")},[e("span",{staticClass:"page-link"},[t.normalizeSlot(l.SLOT_NAME_ELLIPSIS_TEXT)||(0,b.toString)(t.ellipsisText)||e()])])},k=function(n,o){var c=n.number,u=y(c)&&!I,d=a?null:u||I&&0===o?"0":"-1",f={role:i?null:"menuitemradio",type:i||a?null:"button","aria-disabled":a?"true":null,"aria-controls":(0,_.safeVueInstance)(t).ariaControls||null,"aria-label":(0,g.hasPropFunction)(r)?r(c):"".concat((0,h.isFunction)(r)?r():r," ").concat(c),"aria-checked":i?null:u?"true":"false","aria-current":i&&u?"page":null,"aria-posinset":i?null:c,"aria-setsize":i?null:s,tabindex:i?null:d},p=(0,b.toString)(t.makePage(c)),v={page:c,index:c-1,content:p,active:u,disabled:a},w=e(a?"span":i?M.BLink:"button",{props:a||!i?{}:t.linkProps(c),staticClass:"page-link",class:{"flex-grow-1":!i&&!a&&m},attrs:f,on:a?{}:{"!click":function(e){t.onClick(e,c)},keydown:L}},[t.normalizeSlot(l.SLOT_NAME_PAGE,v)||p]);return e("li",{staticClass:"page-item",class:[{disabled:a,active:u,"flex-fill":m,"d-flex":m&&!i&&!a},n.classes,t.pageClass],attrs:{role:i?null:"presentation"},key:"page-".concat(c)},[w])},T=e();this.firstNumber||this.hideGotoEndButtons||(T=w(1,this.labelFirstPage,l.SLOT_NAME_FIRST_TEXT,this.firstText,this.firstClass,1,"pagination-goto-first")),v.push(T),v.push(w(c-1,this.labelPrevPage,l.SLOT_NAME_PREV_TEXT,this.prevText,this.prevClass,1,"pagination-goto-prev")),v.push(this.firstNumber&&1!==u[0]?k({number:1},0):e()),v.push(f?B(!1):e()),this.pageList.forEach((function(e,n){var a=f&&t.firstNumber&&1!==u[0]?1:0;v.push(k(e,n+a))})),v.push(p?B(!0):e()),v.push(this.lastNumber&&u[u.length-1]!==s?k({number:s},-1):e()),v.push(w(c+1,this.labelNextPage,l.SLOT_NAME_NEXT_TEXT,this.nextText,this.nextClass,s,"pagination-goto-next"));var P=e();this.lastNumber||this.hideGotoEndButtons||(P=w(s,this.labelLastPage,l.SLOT_NAME_LAST_TEXT,this.lastText,this.lastClass,s,"pagination-goto-last")),v.push(P);var E=e("ul",{staticClass:"pagination",class:["b-pagination",this.btnSize,this.alignment,this.styleClass],attrs:{role:i?null:"menubar","aria-disabled":a?"true":"false","aria-label":i?null:o||null},on:i?{}:{keydown:this.handleKeyNav},ref:"ul"},v);return i?e("nav",{attrs:{"aria-disabled":a?"true":null,"aria-hidden":a?"true":"false","aria-label":i&&o||null}},[E]):E}})},30051:(e,t,n)=>{"use strict";n.r(t),n.d(t,{scopedStyleMixin:()=>i});var a=n(1915),r=n(93319),o=n(13597);var i=(0,a.extend)({mixins:[r.useParentMixin],computed:{scopedStyleAttrs:function(){var e,t,n,a=(0,o.getScopeId)(this.bvParent);return a?(n="",(t=a)in(e={})?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e):{}}}})},93319:(e,t,n)=>{"use strict";n.r(t),n.d(t,{useParentMixin:()=>a});var a=(0,n(1915).extend)({computed:{bvParent:function(){return this.$parent||this.$root===this&&this.$options.bvParent}}})},11572:(e,t,n)=>{"use strict";n.r(t),n.d(t,{arrayIncludes:()=>o,concat:()=>i,createArray:()=>s,flatten:()=>l,flattenDeep:()=>c,from:()=>r});var a=n(33284),r=function(){return Array.from.apply(Array,arguments)},o=function(e,t){return-1!==e.indexOf(t)},i=function(){for(var e=arguments.length,t=new Array(e),n=0;n{"use strict";n.r(t),n.d(t,{BvEvent:()=>o});var a=n(67040);function r(e,t){for(var n=0;n1&&void 0!==arguments[1]?arguments[1]:{};if(function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,e),!t)throw new TypeError("Failed to construct '".concat(this.constructor.name,"'. 1 argument required, ").concat(arguments.length," given."));(0,a.assign)(this,e.Defaults,this.constructor.Defaults,n,{type:t}),(0,a.defineProperties)(this,{type:(0,a.readonlyDescriptor)(),cancelable:(0,a.readonlyDescriptor)(),nativeEvent:(0,a.readonlyDescriptor)(),target:(0,a.readonlyDescriptor)(),relatedTarget:(0,a.readonlyDescriptor)(),vueTarget:(0,a.readonlyDescriptor)(),componentId:(0,a.readonlyDescriptor)()});var r=!1;this.preventDefault=function(){this.cancelable&&(r=!0)},(0,a.defineProperty)(this,"defaultPrevented",{enumerable:!0,get:function(){return r}})}var t,n,o;return t=e,o=[{key:"Defaults",get:function(){return{type:"",cancelable:!0,nativeEvent:null,target:null,relatedTarget:null,vueTarget:null,componentId:null}}}],(n=null)&&r(t.prototype,n),o&&r(t,o),Object.defineProperty(t,"prototype",{writable:!1}),e}()},51665:(e,t,n)=>{"use strict";n.r(t),n.d(t,{makePropCacheMixin:()=>u,makePropWatcher:()=>c});var a=n(1915),r=n(30158),o=n(3058),i=n(67040);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var l=function(e){return!e||0===(0,i.keys)(e).length},c=function(e){return{handler:function(t,n){if(!(0,o.looseEqual)(t,n))if(l(t)||l(n))this[e]=(0,r.cloneDeep)(t);else{for(var a in n)(0,i.hasOwnProperty)(t,a)||this.$delete(this.$data[e],a);for(var s in t)this.$set(this.$data[e],s,t[s])}}}},u=function(e,t){return(0,a.extend)({data:function(){return s({},t,(0,r.cloneDeep)(this[e]))},watch:s({},e,c(t))})}},30158:(e,t,n)=>{"use strict";n.r(t),n.d(t,{cloneDeep:()=>u});var a=n(33284),r=n(67040);function o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function i(e){for(var t=1;te.length)&&(t=e.length);for(var n=0,a=new Array(t);n1&&void 0!==arguments[1]?arguments[1]:t;return(0,a.isArray)(t)?t.reduce((function(t,n){return[].concat(l(t),[e(n,n)])}),[]):(0,a.isPlainObject)(t)?(0,r.keys)(t).reduce((function(n,a){return i(i({},n),{},s({},a,e(t[a],t[a])))}),{}):n}},7409:(e,t,n)=>{"use strict";n.r(t),n.d(t,{resetConfig:()=>f,setConfig:()=>h});var a=n(1915),r=n(8750),o=n(30158),i=n(37668),s=n(33284),l=n(67040),c=n(37568);function u(e,t){for(var n=0;n0&&void 0!==arguments[0]?arguments[0]:{};(0,s.isPlainObject)(t)&&(0,l.getOwnPropertyNames)(t).forEach((function(n){var a=t[n];"breakpoints"===n?!(0,s.isArray)(a)||a.length<2||a.some((function(e){return!(0,s.isString)(e)||0===e.length}))?(0,c.warn)('"breakpoints" must be an array of at least 2 breakpoint names',r.NAME):e.$_config[n]=(0,o.cloneDeep)(a):(0,s.isPlainObject)(a)&&(e.$_config[n]=(0,l.getOwnPropertyNames)(a).reduce((function(e,t){return(0,s.isUndefined)(a[t])||(e[t]=(0,o.cloneDeep)(a[t])),e}),e.$_config[n]||{}))}))}},{key:"resetConfig",value:function(){this.$_config={}}},{key:"getConfig",value:function(){return(0,o.cloneDeep)(this.$_config)}},{key:"getConfigValue",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:void 0;return(0,o.cloneDeep)((0,i.getRaw)(this.$_config,e,t))}}],n&&u(t.prototype,n),a&&u(t,a),Object.defineProperty(t,"prototype",{writable:!1}),e}(),h=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:a.Vue;t.prototype[r.PROP_NAME]=a.Vue.prototype[r.PROP_NAME]=t.prototype[r.PROP_NAME]||a.Vue.prototype[r.PROP_NAME]||new d,t.prototype[r.PROP_NAME].setConfig(e)},f=function(){a.Vue.prototype[r.PROP_NAME]&&a.Vue.prototype[r.PROP_NAME].resetConfig&&a.Vue.prototype[r.PROP_NAME].resetConfig()}},79968:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getBreakpoints:()=>d,getBreakpointsCached:()=>f,getBreakpointsDown:()=>v,getBreakpointsDownCached:()=>g,getBreakpointsUp:()=>p,getBreakpointsUpCached:()=>m,getComponentConfig:()=>u,getConfig:()=>l,getConfigValue:()=>c});var a=n(1915),r=n(8750),o=n(30158),i=n(91051),s=a.Vue.prototype,l=function(){var e=s[r.PROP_NAME];return e?e.getConfig():{}},c=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:void 0,n=s[r.PROP_NAME];return n?n.getConfigValue(e,t):(0,o.cloneDeep)(t)},u=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0;return t?c("".concat(e,".").concat(t),n):c(e,{})},d=function(){return c("breakpoints",r.DEFAULT_BREAKPOINT)},h=(0,i.memoize)((function(){return d()})),f=function(){return(0,o.cloneDeep)(h())},p=function(){var e=d();return e[0]="",e},m=(0,i.memoize)((function(){var e=f();return e[0]="",e})),v=function(){var e=d();return e[e.length-1]="",e},g=function(){var e=f();return e[e.length-1]="",e}},55789:(e,t,n)=>{"use strict";function a(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function r(e){for(var t=1;ti});var i=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},a=e.$root?e.$root.$options.bvEventRoot||e.$root:null;return new t(r(r({},n),{},{parent:e,bvParent:e,bvEventRoot:a}))}},64679:(e,t,n)=>{"use strict";n.r(t),n.d(t,{cssEscape:()=>o});var a=n(46595),r=function(e){return"\\"+e},o=function(e){var t=(e=(0,a.toString)(e)).length,n=e.charCodeAt(0);return e.split("").reduce((function(a,o,i){var s=e.charCodeAt(i);return 0===s?a+"�":127===s||s>=1&&s<=31||0===i&&s>=48&&s<=57||1===i&&s>=48&&s<=57&&45===n?a+r("".concat(s.toString(16)," ")):0===i&&45===s&&1===t?a+r(o):s>=128||45===s||95===s||s>=48&&s<=57||s>=65&&s<=90||s>=97&&s<=122?a+o:a+r(o)}),"")}},68001:(e,t,n)=>{"use strict";n.r(t),n.d(t,{addYears:()=>I,constrainDate:()=>E,createDate:()=>f,createDateFormatter:()=>g,datesEqual:()=>_,firstDateOfMonth:()=>b,formatYMD:()=>m,lastDateOfMonth:()=>y,oneDecadeAgo:()=>T,oneDecadeAhead:()=>P,oneMonthAgo:()=>M,oneMonthAhead:()=>w,oneYearAgo:()=>B,oneYearAhead:()=>k,parseYMD:()=>p,resolveLocale:()=>v});var a=n(18413),r=n(30824),o=n(11572),i=n(68265),s=n(33284),l=n(93954);function c(e,t){return function(e){if(Array.isArray(e))return e}(e)||function(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null==n)return;var a,r,o=[],i=!0,s=!1;try{for(n=n.call(e);!(i=(a=n.next()).done)&&(o.push(a.value),!t||o.length!==t);i=!0);}catch(e){s=!0,r=e}finally{try{i||null==n.return||n.return()}finally{if(s)throw r}}return o}(e,t)||function(e,t){if(!e)return;if("string"==typeof e)return u(e,t);var n=Object.prototype.toString.call(e).slice(8,-1);"Object"===n&&e.constructor&&(n=e.constructor.name);if("Map"===n||"Set"===n)return Array.from(e);if("Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n))return u(e,t)}(e,t)||function(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}()}function u(e,t){(null==t||t>e.length)&&(t=e.length);for(var n=0,a=new Array(t);n1&&void 0!==arguments[1]?arguments[1]:a.CALENDAR_GREGORY;return e=(0,o.concat)(e).filter(i.identity),new Intl.DateTimeFormat(e,{calendar:t}).resolvedOptions().locale},g=function(e,t){return new Intl.DateTimeFormat(e,t).format},_=function(e,t){return m(e)===m(t)},b=function(e){return(e=f(e)).setDate(1),e},y=function(e){return(e=f(e)).setMonth(e.getMonth()+1),e.setDate(0),e},I=function(e,t){var n=(e=f(e)).getMonth();return e.setFullYear(e.getFullYear()+t),e.getMonth()!==n&&e.setDate(0),e},M=function(e){var t=(e=f(e)).getMonth();return e.setMonth(t-1),e.getMonth()===t&&e.setDate(0),e},w=function(e){var t=(e=f(e)).getMonth();return e.setMonth(t+1),e.getMonth()===(t+2)%12&&e.setDate(0),e},B=function(e){return I(e,-1)},k=function(e){return I(e,1)},T=function(e){return I(e,-10)},P=function(e){return I(e,10)},E=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;return e=p(e),t=p(t)||e,n=p(n)||e,e?en?n:e:null}},26410:(e,t,n)=>{"use strict";n.r(t),n.d(t,{MutationObs:()=>p,addClass:()=>x,attemptBlur:()=>W,attemptFocus:()=>$,closest:()=>T,closestEl:()=>h,contains:()=>P,getActiveElement:()=>g,getAttr:()=>C,getBCR:()=>N,getById:()=>E,getCS:()=>H,getSel:()=>V,getStyle:()=>R,getTabables:()=>U,hasAttr:()=>z,hasClass:()=>S,isActiveElement:()=>b,isDisabled:()=>I,isElement:()=>v,isTag:()=>_,isVisible:()=>y,matches:()=>k,matchesEl:()=>d,offset:()=>Y,position:()=>j,reflow:()=>M,removeAttr:()=>L,removeClass:()=>O,removeNode:()=>m,removeStyle:()=>F,requestAF:()=>f,select:()=>B,selectAll:()=>w,setAttr:()=>A,setStyle:()=>D});var a=n(43935),r=n(28112),o=n(11572),i=n(33284),s=n(93954),l=n(46595),c=r.Element.prototype,u=["button","[href]:not(.disabled)","input","select","textarea","[tabindex]","[contenteditable]"].map((function(e){return"".concat(e,":not(:disabled):not([disabled])")})).join(", "),d=c.matches||c.msMatchesSelector||c.webkitMatchesSelector,h=c.closest||function(e){var t=this;do{if(k(t,e))return t;t=t.parentElement||t.parentNode}while(!(0,i.isNull)(t)&&t.nodeType===Node.ELEMENT_NODE);return null},f=(a.WINDOW.requestAnimationFrame||a.WINDOW.webkitRequestAnimationFrame||a.WINDOW.mozRequestAnimationFrame||a.WINDOW.msRequestAnimationFrame||a.WINDOW.oRequestAnimationFrame||function(e){return setTimeout(e,16)}).bind(a.WINDOW),p=a.WINDOW.MutationObserver||a.WINDOW.WebKitMutationObserver||a.WINDOW.MozMutationObserver||null,m=function(e){return e&&e.parentNode&&e.parentNode.removeChild(e)},v=function(e){return!(!e||e.nodeType!==Node.ELEMENT_NODE)},g=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=a.DOCUMENT.activeElement;return t&&!e.some((function(e){return e===t}))?t:null},_=function(e,t){return(0,l.toString)(e).toLowerCase()===(0,l.toString)(t).toLowerCase()},b=function(e){return v(e)&&e===g()},y=function(e){if(!v(e)||!e.parentNode||!P(a.DOCUMENT.body,e))return!1;if("none"===R(e,"display"))return!1;var t=N(e);return!!(t&&t.height>0&&t.width>0)},I=function(e){return!v(e)||e.disabled||z(e,"disabled")||S(e,"disabled")},M=function(e){return v(e)&&e.offsetHeight},w=function(e,t){return(0,o.from)((v(t)?t:a.DOCUMENT).querySelectorAll(e))},B=function(e,t){return(v(t)?t:a.DOCUMENT).querySelector(e)||null},k=function(e,t){return!!v(e)&&d.call(e,t)},T=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];if(!v(t))return null;var a=h.call(t,e);return n?a:a===t?null:a},P=function(e,t){return!(!e||!(0,i.isFunction)(e.contains))&&e.contains(t)},E=function(e){return a.DOCUMENT.getElementById(/^#/.test(e)?e.slice(1):e)||null},x=function(e,t){t&&v(e)&&e.classList&&e.classList.add(t)},O=function(e,t){t&&v(e)&&e.classList&&e.classList.remove(t)},S=function(e,t){return!!(t&&v(e)&&e.classList)&&e.classList.contains(t)},A=function(e,t,n){t&&v(e)&&e.setAttribute(t,n)},L=function(e,t){t&&v(e)&&e.removeAttribute(t)},C=function(e,t){return t&&v(e)?e.getAttribute(t):null},z=function(e,t){return t&&v(e)?e.hasAttribute(t):null},D=function(e,t,n){t&&v(e)&&(e.style[t]=n)},F=function(e,t){t&&v(e)&&(e.style[t]="")},R=function(e,t){return t&&v(e)&&e.style[t]||null},N=function(e){return v(e)?e.getBoundingClientRect():null},H=function(e){var t=a.WINDOW.getComputedStyle;return t&&v(e)?t(e):{}},V=function(){return a.WINDOW.getSelection?a.WINDOW.getSelection():null},Y=function(e){var t={top:0,left:0};if(!v(e)||0===e.getClientRects().length)return t;var n=N(e);if(n){var a=e.ownerDocument.defaultView;t.top=n.top+a.pageYOffset,t.left=n.left+a.pageXOffset}return t},j=function(e){var t={top:0,left:0};if(!v(e))return t;var n={top:0,left:0},a=H(e);if("fixed"===a.position)t=N(e)||t;else{t=Y(e);for(var r=e.ownerDocument,o=e.offsetParent||r.documentElement;o&&(o===r.body||o===r.documentElement)&&"static"===H(o).position;)o=o.parentNode;if(o&&o!==e&&o.nodeType===Node.ELEMENT_NODE){n=Y(o);var i=H(o);n.top+=(0,s.toFloat)(i.borderTopWidth,0),n.left+=(0,s.toFloat)(i.borderLeftWidth,0)}}return{top:t.top-n.top-(0,s.toFloat)(a.marginTop,0),left:t.left-n.left-(0,s.toFloat)(a.marginLeft,0)}},U=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:document;return w(u,e).filter(y).filter((function(e){return e.tabIndex>-1&&!e.disabled}))},$=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};try{e.focus(t)}catch(e){}return b(e)},W=function(e){try{e.blur()}catch(e){}return!b(e)}},99022:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getInstanceFromElement:()=>s,registerElementToInstance:()=>o,removeElementToInstance:()=>i});var a=n(1915),r=null;a.isVue3&&(r=new WeakMap);var o=function(e,t){a.isVue3&&r.set(e,t)},i=function(e){a.isVue3&&r.delete(e)},s=function(e){if(!a.isVue3)return e.__vue__;for(var t=e;t;){if(r.has(t))return r.get(t);t=t.parentNode}return null}},68077:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getEnv:()=>r,getNoWarn:()=>o});var a=n(34155),r=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null,n=void 0!==a&&a&&a.env||{};return e?n[e]||t:n},o=function(){return r("BOOTSTRAP_VUE_NO_WARN")||"production"===r("NODE_ENV")}},28415:(e,t,n)=>{"use strict";n.r(t),n.d(t,{eventOff:()=>u,eventOn:()=>c,eventOnOff:()=>d,getRootActionEventName:()=>m,getRootEventName:()=>p,parseEventOptions:()=>l,stopEvent:()=>h});var a=n(43935),r=n(63294),o=n(30824),i=n(33284),s=n(46595),l=function(e){return a.HAS_PASSIVE_EVENT_SUPPORT?(0,i.isObject)(e)?e:{capture:!!e||!1}:!!((0,i.isObject)(e)?e.capture:e)},c=function(e,t,n,a){e&&e.addEventListener&&e.addEventListener(t,n,l(a))},u=function(e,t,n,a){e&&e.removeEventListener&&e.removeEventListener(t,n,l(a))},d=function(e){for(var t=e?c:u,n=arguments.length,a=new Array(n>1?n-1:0),r=1;r1&&void 0!==arguments[1]?arguments[1]:{},n=t.preventDefault,a=void 0===n||n,r=t.propagation,o=void 0===r||r,i=t.immediatePropagation,s=void 0!==i&&i;a&&e.preventDefault(),o&&e.stopPropagation(),s&&e.stopImmediatePropagation()},f=function(e){return(0,s.kebabCase)(e.replace(o.RX_BV_PREFIX,""))},p=function(e,t){return[r.ROOT_EVENT_NAME_PREFIX,f(e),t].join(r.ROOT_EVENT_NAME_SEPARATOR)},m=function(e,t){return[r.ROOT_EVENT_NAME_PREFIX,t,f(e)].join(r.ROOT_EVENT_NAME_SEPARATOR)}},91076:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getEventRoot:()=>a});var a=function(e){return e.$root.$options.bvEventRoot||e.$root}},96056:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getInstanceFromDirective:()=>r});var a=n(1915),r=function(e,t){return a.isVue3?t.instance:e.context}},13597:(e,t,n)=>{"use strict";n.r(t),n.d(t,{getScopeId:()=>a});var a=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;return e&&e.$options._scopeId||t}},37668:(e,t,n)=>{"use strict";n.r(t),n.d(t,{get:()=>s,getRaw:()=>i});var a=n(30824),r=n(68265),o=n(33284),i=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0;if(!(t=(0,o.isArray)(t)?t.join("."):t)||!(0,o.isObject)(e))return n;if(t in e)return e[t];var i=(t=String(t).replace(a.RX_ARRAY_NOTATION,".$1")).split(".").filter(r.identity);return 0===i.length?n:i.every((function(t){return(0,o.isObject)(e)&&t in e&&!(0,o.isUndefinedOrNull)(e=e[t])}))?e:(0,o.isNull)(e)?null:n},s=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,a=i(e,t);return(0,o.isUndefinedOrNull)(a)?n:a}},18735:(e,t,n)=>{"use strict";n.r(t),n.d(t,{htmlOrText:()=>o,stripTags:()=>r});var a=n(30824),r=function(){return String(arguments.length>0&&void 0!==arguments[0]?arguments[0]:"").replace(a.RX_HTML_TAGS,"")},o=function(e,t){return e?{innerHTML:e}:t?{textContent:t}:{}}},68265:(e,t,n)=>{"use strict";n.r(t),n.d(t,{identity:()=>a});var a=function(e){return e}},33284:(e,t,n)=>{"use strict";n.r(t),n.d(t,{isArray:()=>y,isBoolean:()=>m,isDate:()=>w,isEmptyString:()=>d,isEvent:()=>B,isFile:()=>k,isFunction:()=>p,isNull:()=>u,isNumber:()=>g,isNumeric:()=>_,isObject:()=>I,isPlainObject:()=>M,isPrimitive:()=>b,isPromise:()=>P,isRegExp:()=>T,isString:()=>v,isUndefined:()=>c,isUndefinedOrNull:()=>h,isUndefinedOrNullOrEmpty:()=>f,toRawType:()=>s,toRawTypeLC:()=>l,toType:()=>i});var a=n(30824),r=n(28112);function o(e){return o="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},o(e)}var i=function(e){return o(e)},s=function(e){return Object.prototype.toString.call(e).slice(8,-1)},l=function(e){return s(e).toLowerCase()},c=function(e){return void 0===e},u=function(e){return null===e},d=function(e){return""===e},h=function(e){return c(e)||u(e)},f=function(e){return h(e)||d(e)},p=function(e){return"function"===i(e)},m=function(e){return"boolean"===i(e)},v=function(e){return"string"===i(e)},g=function(e){return"number"===i(e)},_=function(e){return a.RX_NUMBER.test(String(e))},b=function(e){return m(e)||v(e)||g(e)},y=function(e){return Array.isArray(e)},I=function(e){return null!==e&&"object"===o(e)},M=function(e){return"[object Object]"===Object.prototype.toString.call(e)},w=function(e){return e instanceof Date},B=function(e){return e instanceof Event},k=function(e){return e instanceof r.File},T=function(e){return"RegExp"===s(e)},P=function(e){return!h(e)&&p(e.then)&&p(e.catch)}},9439:(e,t,n)=>{"use strict";n.r(t),n.d(t,{isLocaleRTL:()=>s});var a=n(30824),r=n(11572),o=n(46595),i=["ar","az","ckb","fa","he","ks","lrc","mzn","ps","sd","te","ug","ur","yi"].map((function(e){return e.toLowerCase()})),s=function(e){var t=(0,o.toString)(e).toLowerCase().replace(a.RX_STRIP_LOCALE_MODS,"").split("-"),n=t.slice(0,2).join("-"),s=t[0];return(0,r.arrayIncludes)(i,n)||(0,r.arrayIncludes)(i,s)}},3058:(e,t,n)=>{"use strict";n.r(t),n.d(t,{looseEqual:()=>i});var a=n(67040),r=n(33284),o=function(e,t){if(e.length!==t.length)return!1;for(var n=!0,a=0;n&&a{"use strict";n.r(t),n.d(t,{looseIndexOf:()=>r});var a=n(3058),r=function(e,t){for(var n=0;n{"use strict";n.r(t),n.d(t,{mathAbs:()=>o,mathCeil:()=>i,mathFloor:()=>s,mathMax:()=>r,mathMin:()=>a,mathPow:()=>l,mathRound:()=>c});var a=Math.min,r=Math.max,o=Math.abs,i=Math.ceil,s=Math.floor,l=Math.pow,c=Math.round},91051:(e,t,n)=>{"use strict";n.r(t),n.d(t,{memoize:()=>r});var a=n(67040),r=function(e){var t=(0,a.create)(null);return function(){for(var n=arguments.length,a=new Array(n),r=0;r{"use strict";n.r(t),n.d(t,{makeModelMixin:()=>s});var a=n(1915),r=n(63294),o=n(12299),i=n(20451);var s=function(e){var t,n,s,l=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},c=l.type,u=void 0===c?o.PROP_TYPE_ANY:c,d=l.defaultValue,h=void 0===d?void 0:d,f=l.validator,p=void 0===f?void 0:f,m=l.event,v=void 0===m?r.EVENT_NAME_INPUT:m,g=(t={},n=e,s=(0,i.makeProp)(u,h,p),n in t?Object.defineProperty(t,n,{value:s,enumerable:!0,configurable:!0,writable:!0}):t[n]=s,t);return{mixin:(0,a.extend)({model:{prop:e,event:v},props:g}),props:g,prop:e,event:v}}},84941:(e,t,n)=>{"use strict";n.r(t),n.d(t,{noop:()=>a});var a=function(){}},72345:(e,t,n)=>{"use strict";n.r(t),n.d(t,{hasNormalizedSlot:()=>i,normalizeSlot:()=>s});var a=n(11572),r=n(68265),o=n(33284),i=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return(e=(0,a.concat)(e).filter(r.identity)).some((function(e){return t[e]||n[e]}))},s=function(e){var t,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},s=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};e=(0,a.concat)(e).filter(r.identity);for(var l=0;l{"use strict";n.r(t),n.d(t,{toFixed:()=>o,toFloat:()=>r,toInteger:()=>a});var a=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:NaN,n=parseInt(e,10);return isNaN(n)?t:n},r=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:NaN,n=parseFloat(e);return isNaN(n)?t:n},o=function(e,t){return r(e).toFixed(a(t,0))}},67040:(e,t,n)=>{"use strict";n.r(t),n.d(t,{assign:()=>s,clone:()=>I,create:()=>l,defineProperties:()=>c,defineProperty:()=>u,freeze:()=>d,getOwnPropertyDescriptor:()=>f,getOwnPropertyNames:()=>h,getOwnPropertySymbols:()=>p,getPrototypeOf:()=>m,hasOwnProperty:()=>b,is:()=>v,isFrozen:()=>g,keys:()=>_,mergeDeep:()=>B,omit:()=>w,pick:()=>M,readonlyDescriptor:()=>T,sortKeys:()=>k,toString:()=>y});var a=n(33284);function r(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function o(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{observeDom:()=>s});var a=n(26410),r=n(37568);function o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function i(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var s=function(e,t,n){if(e=e?e.$el||e:null,!(0,a.isElement)(e))return null;if((0,r.warnNoMutationObserverSupport)("observeDom"))return null;var s=new a.MutationObs((function(e){for(var n=!1,a=0;a0||r.removedNodes.length>0))&&(n=!0)}n&&t()}));return s.observe(e,function(e){for(var t=1;t{"use strict";n.r(t),n.d(t,{checkMultipleVue:()=>h,installFactory:()=>f,installFactoryNoConfig:()=>p,pluginFactory:()=>m,pluginFactoryNoConfig:()=>v,registerComponent:()=>_,registerComponents:()=>b,registerDirective:()=>y,registerDirectives:()=>I,registerPlugins:()=>g,vueUse:()=>M});var a=n(1915),r=n(43935),o=n(7409),i=n(37568);function s(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function l(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:{},t=e.components,n=e.directives,a=e.plugins,r=function e(r){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};e.installed||(e.installed=!0,h(r),(0,o.setConfig)(i,r),b(r,t),I(r,n),g(r,a))};return r.installed=!1,r},p=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.components,n=e.directives,a=e.plugins,r=function e(r){e.installed||(e.installed=!0,h(r),b(r,t),I(r,n),g(r,a))};return r.installed=!1,r},m=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return l(l({},arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}),{},{install:f(e)})},v=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return l(l({},arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}),{},{install:p(e)})},g=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};for(var n in t)n&&t[n]&&e.use(t[n])},_=function(e,t,n){e&&t&&n&&e.component(t,n)},b=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};for(var n in t)_(e,n,t[n])},y=function(e,t,n){e&&t&&n&&e.directive(t.replace(/^VB/,"B"),n)},I=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};for(var n in t)y(e,n,t[n])},M=function(e){r.HAS_WINDOW_SUPPORT&&window.Vue&&window.Vue.use(e),r.HAS_WINDOW_SUPPORT&&e.NAME&&(window[e.NAME]=e)}},20451:(e,t,n)=>{"use strict";n.r(t),n.d(t,{copyProps:()=>g,hasPropFunction:()=>M,makeProp:()=>v,makePropConfigurable:()=>b,makePropsConfigurable:()=>y,pluckProps:()=>_,prefixPropName:()=>f,suffixPropName:()=>m,unprefixPropName:()=>p});var a=n(12299),r=n(30158),o=n(79968),i=n(68265),s=n(33284),l=n(67040),c=n(46595);function u(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function d(e){for(var t=1;t0&&void 0!==arguments[0]?arguments[0]:a.PROP_TYPE_ANY,t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:void 0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:void 0,o=!0===n;return r=o?r:n,d(d(d({},e?{type:e}:{}),o?{required:o}:(0,s.isUndefined)(t)?{}:{default:(0,s.isObject)(t)?function(){return t}:t}),(0,s.isUndefined)(r)?{}:{validator:r})},g=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:i.identity;if((0,s.isArray)(e))return e.map(t);var n={};for(var a in e)(0,l.hasOwnProperty)(e,a)&&(n[t(a)]=(0,s.isObject)(e[a])?(0,l.clone)(e[a]):e[a]);return n},_=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:i.identity;return((0,s.isArray)(e)?e.slice():(0,l.keys)(e)).reduce((function(e,a){return e[n(a)]=t[a],e}),{})},b=function(e,t,n){return d(d({},(0,r.cloneDeep)(e)),{},{default:function(){var a=(0,o.getComponentConfig)(n,t,e.default);return(0,s.isFunction)(a)?a():a}})},y=function(e,t){return(0,l.keys)(e).reduce((function(n,a){return d(d({},n),{},h({},a,b(e[a],a,t)))}),{})},I=b({},"","").default.name,M=function(e){return(0,s.isFunction)(e)&&e.name&&e.name!==I}},30488:(e,t,n)=>{"use strict";n.r(t),n.d(t,{computeHref:()=>_,computeRel:()=>g,computeTag:()=>v,isLink:()=>p,isRouterLink:()=>m,parseQuery:()=>f,stringifyQueryObj:()=>h});var a=n(30824),r=n(26410),o=n(33284),i=n(67040),s=n(10992),l=n(46595),c=function(e){return"%"+e.charCodeAt(0).toString(16)},u=function(e){return encodeURIComponent((0,l.toString)(e)).replace(a.RX_ENCODE_REVERSE,c).replace(a.RX_ENCODED_COMMA,",")},d=decodeURIComponent,h=function(e){if(!(0,o.isPlainObject)(e))return"";var t=(0,i.keys)(e).map((function(t){var n=e[t];return(0,o.isUndefined)(n)?"":(0,o.isNull)(n)?u(t):(0,o.isArray)(n)?n.reduce((function(e,n){return(0,o.isNull)(n)?e.push(u(t)):(0,o.isUndefined)(n)||e.push(u(t)+"="+u(n)),e}),[]).join("&"):u(t)+"="+u(n)})).filter((function(e){return e.length>0})).join("&");return t?"?".concat(t):""},f=function(e){var t={};return(e=(0,l.toString)(e).trim().replace(a.RX_QUERY_START,""))?(e.split("&").forEach((function(e){var n=e.replace(a.RX_PLUS," ").split("="),r=d(n.shift()),i=n.length>0?d(n.join("=")):null;(0,o.isUndefined)(t[r])?t[r]=i:(0,o.isArray)(t[r])?t[r].push(i):t[r]=[t[r],i]})),t):t},p=function(e){return!(!e.href&&!e.to)},m=function(e){return!(!e||(0,r.isTag)(e,"a"))},v=function(e,t){var n=e.to,a=e.disabled,r=e.routerComponentName,o=!!(0,s.safeVueInstance)(t).$router,i=!!(0,s.safeVueInstance)(t).$nuxt;return!o||o&&(a||!n)?"a":r||(i?"nuxt-link":"router-link")},g=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.target,n=e.rel;return"_blank"===t&&(0,o.isNull)(n)?"noopener":n||null},_=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.href,n=e.to,a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"#",r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:"/";if(t)return t;if(m(arguments.length>1&&void 0!==arguments[1]?arguments[1]:"a"))return null;if((0,o.isString)(n))return n||r;if((0,o.isPlainObject)(n)&&(n.path||n.query||n.hash)){var i=(0,l.toString)(n.path),s=h(n.query),c=(0,l.toString)(n.hash);return c=c&&"#"!==c.charAt(0)?"#".concat(c):c,"".concat(i).concat(s).concat(c)||r}return a}},10992:(e,t,n)=>{"use strict";n.r(t),n.d(t,{safeVueInstance:()=>r});var a=n(1915);function r(e){return a.isVue3?new Proxy(e,{get:function(e,t){return t in e?e[t]:void 0}}):e}},55912:(e,t,n)=>{"use strict";n.r(t),n.d(t,{stableSort:()=>a});var a=function(e,t){return e.map((function(e,t){return[t,e]})).sort(function(e,t){return this(e[1],t[1])||e[0]-t[0]}.bind(t)).map((function(e){return e[1]}))}},46595:(e,t,n)=>{"use strict";n.r(t),n.d(t,{escapeRegExp:()=>u,kebabCase:()=>o,lowerCase:()=>m,lowerFirst:()=>l,pascalCase:()=>i,startCase:()=>s,toString:()=>d,trim:()=>p,trimLeft:()=>h,trimRight:()=>f,upperCase:()=>v,upperFirst:()=>c});var a=n(30824),r=n(33284),o=function(e){return e.replace(a.RX_HYPHENATE,"-$1").toLowerCase()},i=function(e){return(e=o(e).replace(a.RX_UN_KEBAB,(function(e,t){return t?t.toUpperCase():""}))).charAt(0).toUpperCase()+e.slice(1)},s=function(e){return e.replace(a.RX_UNDERSCORE," ").replace(a.RX_LOWER_UPPER,(function(e,t,n){return t+" "+n})).replace(a.RX_START_SPACE_WORD,(function(e,t,n){return t+n.toUpperCase()}))},l=function(e){return(e=(0,r.isString)(e)?e.trim():String(e)).charAt(0).toLowerCase()+e.slice(1)},c=function(e){return(e=(0,r.isString)(e)?e.trim():String(e)).charAt(0).toUpperCase()+e.slice(1)},u=function(e){return e.replace(a.RX_REGEXP_REPLACE,"\\$&")},d=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:2;return(0,r.isUndefinedOrNull)(e)?"":(0,r.isArray)(e)||(0,r.isPlainObject)(e)&&e.toString===Object.prototype.toString?JSON.stringify(e,null,t):String(e)},h=function(e){return d(e).replace(a.RX_TRIM_LEFT,"")},f=function(e){return d(e).replace(a.RX_TRIM_RIGHT,"")},p=function(e){return d(e).trim()},m=function(e){return d(e).toLowerCase()},v=function(e){return d(e).toUpperCase()}},91838:(e,t,n)=>{"use strict";n.r(t),n.d(t,{stringifyObjectValues:()=>i});var a=n(33284),r=n(67040),o=n(46595),i=function e(t){return(0,a.isUndefinedOrNull)(t)?"":(0,a.isObject)(t)&&!(0,a.isDate)(t)?(0,r.keys)(t).sort().map((function(n){return e(t[n])})).filter((function(e){return!!e})).join(" "):(0,o.toString)(t)}},37568:(e,t,n)=>{"use strict";n.r(t),n.d(t,{warn:()=>o,warnNoMutationObserverSupport:()=>l,warnNoPromiseSupport:()=>s,warnNotClient:()=>i});var a=n(43935),r=n(68077),o=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;(0,r.getNoWarn)()||console.warn("[BootstrapVue warn]: ".concat(t?"".concat(t," - "):"").concat(e))},i=function(e){return!a.IS_BROWSER&&(o("".concat(e,": Can not be called during SSR.")),!0)},s=function(e){return!a.HAS_PROMISE_SUPPORT&&(o("".concat(e,": Requires Promise support.")),!0)},l=function(e){return!a.HAS_MUTATION_OBSERVER_SUPPORT&&(o("".concat(e,": Requires MutationObserver support.")),!0)}},1915:(e,t,n)=>{"use strict";n.r(t),n.d(t,{COMPONENT_UID_KEY:()=>u,REF_FOR_KEY:()=>h,Vue:()=>a.default,extend:()=>p,isVue3:()=>d,mergeData:()=>r.mergeData,nextTick:()=>b});var a=n(70538),r=n(69558);function o(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,a)}return n}function i(e){for(var t=1;t=0||(r[n]=e[n]);return r}(e,t);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);for(a=0;a=0||Object.prototype.propertyIsEnumerable.call(e,n)&&(r[n]=e[n])}return r}function c(e){return c="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},c(e)}var u="_uid",d=a.default.version.startsWith("3"),h=d?"ref_for":"refInFor",f=["class","staticClass","style","attrs","props","domProps","on","nativeOn","directives","scopedSlots","slot","key","ref","refInFor"],p=a.default.extend.bind(a.default);if(d){var m=a.default.extend,v=["router-link","transition","transition-group"],g=a.default.vModelDynamic.created,_=a.default.vModelDynamic.beforeUpdate;a.default.vModelDynamic.created=function(e,t,n){g.call(this,e,t,n),e._assign||(e._assign=function(){})},a.default.vModelDynamic.beforeUpdate=function(e,t,n){_.call(this,e,t,n),e._assign||(e._assign=function(){})},p=function(e){if("object"===c(e)&&e.render&&!e.__alreadyPatched){var t=e.render;e.__alreadyPatched=!0,e.render=function(n){var a=function(e,t,a){var r=void 0===a?[]:[Array.isArray(a)?a.filter(Boolean):a],o="string"==typeof e&&!v.includes(e);if(!(t&&"object"===c(t)&&!Array.isArray(t)))return n.apply(void 0,[e,t].concat(r));var s=t.attrs,u=t.props,d=i(i({},l(t,["attrs","props"])),{},{attrs:s,props:o?{}:u});return"router-link"!==e||d.slots||d.scopedSlots||(d.scopedSlots={$hasNormal:function(){}}),n.apply(void 0,[e,d].concat(r))};if(e.functional){var r,o,s=arguments[1],u=i({},s);u.data={attrs:i({},s.data.attrs||{}),props:i({},s.data.props||{})},Object.keys(s.data||{}).forEach((function(e){f.includes(e)?u.data[e]=s.data[e]:e in s.props?u.data.props[e]=s.data[e]:e.startsWith("on")||(u.data.attrs[e]=s.data[e])}));var d=["_ctx"],h=(null===(r=s.children)||void 0===r||null===(o=r.default)||void 0===o?void 0:o.call(r))||s.children;return h&&0===Object.keys(u.children).filter((function(e){return!d.includes(e)})).length?delete u.children:u.children=h,u.data.on=s.listeners,t.call(this,a,u)}return t.call(this,a)}}return m.call(this,e)}.bind(a.default)}var b=a.default.nextTick},43734:function(e,t,n){!function(e,t,n){"use strict";function a(e){return e&&"object"==typeof e&&"default"in e?e:{default:e}}var r=a(t),o=a(n);function i(e,t){for(var n=0;n=i)throw new Error("Bootstrap's JavaScript requires at least jQuery v1.9.1 but less than v4.0.0")}};_.jQueryDetection(),g();var b="alert",y="4.6.2",I="bs.alert",M="."+I,w=".data-api",B=r.default.fn[b],k="alert",T="fade",P="show",E="close"+M,x="closed"+M,O="click"+M+w,S='[data-dismiss="alert"]',A=function(){function e(e){this._element=e}var t=e.prototype;return t.close=function(e){var t=this._element;e&&(t=this._getRootElement(e)),this._triggerCloseEvent(t).isDefaultPrevented()||this._removeElement(t)},t.dispose=function(){r.default.removeData(this._element,I),this._element=null},t._getRootElement=function(e){var t=_.getSelectorFromElement(e),n=!1;return t&&(n=document.querySelector(t)),n||(n=r.default(e).closest("."+k)[0]),n},t._triggerCloseEvent=function(e){var t=r.default.Event(E);return r.default(e).trigger(t),t},t._removeElement=function(e){var t=this;if(r.default(e).removeClass(P),r.default(e).hasClass(T)){var n=_.getTransitionDurationFromElement(e);r.default(e).one(_.TRANSITION_END,(function(n){return t._destroyElement(e,n)})).emulateTransitionEnd(n)}else this._destroyElement(e)},t._destroyElement=function(e){r.default(e).detach().trigger(x).remove()},e._jQueryInterface=function(t){return this.each((function(){var n=r.default(this),a=n.data(I);a||(a=new e(this),n.data(I,a)),"close"===t&&a[t](this)}))},e._handleDismiss=function(e){return function(t){t&&t.preventDefault(),e.close(this)}},s(e,null,[{key:"VERSION",get:function(){return y}}]),e}();r.default(document).on(O,S,A._handleDismiss(new A)),r.default.fn[b]=A._jQueryInterface,r.default.fn[b].Constructor=A,r.default.fn[b].noConflict=function(){return r.default.fn[b]=B,A._jQueryInterface};var L="button",C="4.6.2",z="bs.button",D="."+z,F=".data-api",R=r.default.fn[L],N="active",H="btn",V="focus",Y="click"+D+F,j="focus"+D+F+" blur"+D+F,U="load"+D+F,$='[data-toggle^="button"]',W='[data-toggle="buttons"]',G='[data-toggle="button"]',q='[data-toggle="buttons"] .btn',X='input:not([type="hidden"])',K=".active",J=".btn",Z=function(){function e(e){this._element=e,this.shouldAvoidTriggerChange=!1}var t=e.prototype;return t.toggle=function(){var e=!0,t=!0,n=r.default(this._element).closest(W)[0];if(n){var a=this._element.querySelector(X);if(a){if("radio"===a.type)if(a.checked&&this._element.classList.contains(N))e=!1;else{var o=n.querySelector(K);o&&r.default(o).removeClass(N)}e&&("checkbox"!==a.type&&"radio"!==a.type||(a.checked=!this._element.classList.contains(N)),this.shouldAvoidTriggerChange||r.default(a).trigger("change")),a.focus(),t=!1}}this._element.hasAttribute("disabled")||this._element.classList.contains("disabled")||(t&&this._element.setAttribute("aria-pressed",!this._element.classList.contains(N)),e&&r.default(this._element).toggleClass(N))},t.dispose=function(){r.default.removeData(this._element,z),this._element=null},e._jQueryInterface=function(t,n){return this.each((function(){var a=r.default(this),o=a.data(z);o||(o=new e(this),a.data(z,o)),o.shouldAvoidTriggerChange=n,"toggle"===t&&o[t]()}))},s(e,null,[{key:"VERSION",get:function(){return C}}]),e}();r.default(document).on(Y,$,(function(e){var t=e.target,n=t;if(r.default(t).hasClass(H)||(t=r.default(t).closest(J)[0]),!t||t.hasAttribute("disabled")||t.classList.contains("disabled"))e.preventDefault();else{var a=t.querySelector(X);if(a&&(a.hasAttribute("disabled")||a.classList.contains("disabled")))return void e.preventDefault();"INPUT"!==n.tagName&&"LABEL"===t.tagName||Z._jQueryInterface.call(r.default(t),"toggle","INPUT"===n.tagName)}})).on(j,$,(function(e){var t=r.default(e.target).closest(J)[0];r.default(t).toggleClass(V,/^focus(in)?$/.test(e.type))})),r.default(window).on(U,(function(){for(var e=[].slice.call(document.querySelectorAll(q)),t=0,n=e.length;t0,this._pointerEvent=Boolean(window.PointerEvent||window.MSPointerEvent),this._addEventListeners()}var t=e.prototype;return t.next=function(){this._isSliding||this._slide(ge)},t.nextWhenVisible=function(){var e=r.default(this._element);!document.hidden&&e.is(":visible")&&"hidden"!==e.css("visibility")&&this.next()},t.prev=function(){this._isSliding||this._slide(_e)},t.pause=function(e){e||(this._isPaused=!0),this._element.querySelector(Re)&&(_.triggerTransitionEnd(this._element),this.cycle(!0)),clearInterval(this._interval),this._interval=null},t.cycle=function(e){e||(this._isPaused=!1),this._interval&&(clearInterval(this._interval),this._interval=null),this._config.interval&&!this._isPaused&&(this._updateInterval(),this._interval=setInterval((document.visibilityState?this.nextWhenVisible:this.next).bind(this),this._config.interval))},t.to=function(e){var t=this;this._activeElement=this._element.querySelector(ze);var n=this._getItemIndex(this._activeElement);if(!(e>this._items.length-1||e<0))if(this._isSliding)r.default(this._element).one(Me,(function(){return t.to(e)}));else{if(n===e)return this.pause(),void this.cycle();var a=e>n?ge:_e;this._slide(a,this._items[e])}},t.dispose=function(){r.default(this._element).off(ne),r.default.removeData(this._element,te),this._items=null,this._config=null,this._element=null,this._interval=null,this._isPaused=null,this._isSliding=null,this._activeElement=null,this._indicatorsElement=null},t._getConfig=function(e){return e=l({},Ye,e),_.typeCheckConfig(Q,e,je),e},t._handleSwipe=function(){var e=Math.abs(this.touchDeltaX);if(!(e<=le)){var t=e/this.touchDeltaX;this.touchDeltaX=0,t>0&&this.prev(),t<0&&this.next()}},t._addEventListeners=function(){var e=this;this._config.keyboard&&r.default(this._element).on(we,(function(t){return e._keydown(t)})),"hover"===this._config.pause&&r.default(this._element).on(Be,(function(t){return e.pause(t)})).on(ke,(function(t){return e.cycle(t)})),this._config.touch&&this._addTouchEventListeners()},t._addTouchEventListeners=function(){var e=this;if(this._touchSupported){var t=function(t){e._pointerEvent&&Ue[t.originalEvent.pointerType.toUpperCase()]?e.touchStartX=t.originalEvent.clientX:e._pointerEvent||(e.touchStartX=t.originalEvent.touches[0].clientX)},n=function(t){e.touchDeltaX=t.originalEvent.touches&&t.originalEvent.touches.length>1?0:t.originalEvent.touches[0].clientX-e.touchStartX},a=function(t){e._pointerEvent&&Ue[t.originalEvent.pointerType.toUpperCase()]&&(e.touchDeltaX=t.originalEvent.clientX-e.touchStartX),e._handleSwipe(),"hover"===e._config.pause&&(e.pause(),e.touchTimeout&&clearTimeout(e.touchTimeout),e.touchTimeout=setTimeout((function(t){return e.cycle(t)}),se+e._config.interval))};r.default(this._element.querySelectorAll(Fe)).on(Se,(function(e){return e.preventDefault()})),this._pointerEvent?(r.default(this._element).on(xe,(function(e){return t(e)})),r.default(this._element).on(Oe,(function(e){return a(e)})),this._element.classList.add(ve)):(r.default(this._element).on(Te,(function(e){return t(e)})),r.default(this._element).on(Pe,(function(e){return n(e)})),r.default(this._element).on(Ee,(function(e){return a(e)})))}},t._keydown=function(e){if(!/input|textarea/i.test(e.target.tagName))switch(e.which){case oe:e.preventDefault(),this.prev();break;case ie:e.preventDefault(),this.next()}},t._getItemIndex=function(e){return this._items=e&&e.parentNode?[].slice.call(e.parentNode.querySelectorAll(De)):[],this._items.indexOf(e)},t._getItemByDirection=function(e,t){var n=e===ge,a=e===_e,r=this._getItemIndex(t),o=this._items.length-1;if((a&&0===r||n&&r===o)&&!this._config.wrap)return t;var i=(r+(e===_e?-1:1))%this._items.length;return-1===i?this._items[this._items.length-1]:this._items[i]},t._triggerSlideEvent=function(e,t){var n=this._getItemIndex(e),a=this._getItemIndex(this._element.querySelector(ze)),o=r.default.Event(Ie,{relatedTarget:e,direction:t,from:a,to:n});return r.default(this._element).trigger(o),o},t._setActiveIndicatorElement=function(e){if(this._indicatorsElement){var t=[].slice.call(this._indicatorsElement.querySelectorAll(Ce));r.default(t).removeClass(ue);var n=this._indicatorsElement.children[this._getItemIndex(e)];n&&r.default(n).addClass(ue)}},t._updateInterval=function(){var e=this._activeElement||this._element.querySelector(ze);if(e){var t=parseInt(e.getAttribute("data-interval"),10);t?(this._config.defaultInterval=this._config.defaultInterval||this._config.interval,this._config.interval=t):this._config.interval=this._config.defaultInterval||this._config.interval}},t._slide=function(e,t){var n,a,o,i=this,s=this._element.querySelector(ze),l=this._getItemIndex(s),c=t||s&&this._getItemByDirection(e,s),u=this._getItemIndex(c),d=Boolean(this._interval);if(e===ge?(n=fe,a=pe,o=be):(n=he,a=me,o=ye),c&&r.default(c).hasClass(ue))this._isSliding=!1;else if(!this._triggerSlideEvent(c,o).isDefaultPrevented()&&s&&c){this._isSliding=!0,d&&this.pause(),this._setActiveIndicatorElement(c),this._activeElement=c;var h=r.default.Event(Me,{relatedTarget:c,direction:o,from:l,to:u});if(r.default(this._element).hasClass(de)){r.default(c).addClass(a),_.reflow(c),r.default(s).addClass(n),r.default(c).addClass(n);var f=_.getTransitionDurationFromElement(s);r.default(s).one(_.TRANSITION_END,(function(){r.default(c).removeClass(n+" "+a).addClass(ue),r.default(s).removeClass(ue+" "+a+" "+n),i._isSliding=!1,setTimeout((function(){return r.default(i._element).trigger(h)}),0)})).emulateTransitionEnd(f)}else r.default(s).removeClass(ue),r.default(c).addClass(ue),this._isSliding=!1,r.default(this._element).trigger(h);d&&this.cycle()}},e._jQueryInterface=function(t){return this.each((function(){var n=r.default(this).data(te),a=l({},Ye,r.default(this).data());"object"==typeof t&&(a=l({},a,t));var o="string"==typeof t?t:a.slide;if(n||(n=new e(this,a),r.default(this).data(te,n)),"number"==typeof t)n.to(t);else if("string"==typeof o){if(void 0===n[o])throw new TypeError('No method named "'+o+'"');n[o]()}else a.interval&&a.ride&&(n.pause(),n.cycle())}))},e._dataApiClickHandler=function(t){var n=_.getSelectorFromElement(this);if(n){var a=r.default(n)[0];if(a&&r.default(a).hasClass(ce)){var o=l({},r.default(a).data(),r.default(this).data()),i=this.getAttribute("data-slide-to");i&&(o.interval=!1),e._jQueryInterface.call(r.default(a),o),i&&r.default(a).data(te).to(i),t.preventDefault()}}},s(e,null,[{key:"VERSION",get:function(){return ee}},{key:"Default",get:function(){return Ye}}]),e}();r.default(document).on(Le,He,$e._dataApiClickHandler),r.default(window).on(Ae,(function(){for(var e=[].slice.call(document.querySelectorAll(Ve)),t=0,n=e.length;t0&&(this._selector=i,this._triggerArray.push(o))}this._parent=this._config.parent?this._getParent():null,this._config.parent||this._addAriaAndCollapsedClass(this._element,this._triggerArray),this._config.toggle&&this.toggle()}var t=e.prototype;return t.toggle=function(){r.default(this._element).hasClass(Ze)?this.hide():this.show()},t.show=function(){var t,n,a=this;if(!(this._isTransitioning||r.default(this._element).hasClass(Ze)||(this._parent&&0===(t=[].slice.call(this._parent.querySelectorAll(ct)).filter((function(e){return"string"==typeof a._config.parent?e.getAttribute("data-parent")===a._config.parent:e.classList.contains(Qe)}))).length&&(t=null),t&&(n=r.default(t).not(this._selector).data(qe))&&n._isTransitioning))){var o=r.default.Event(rt);if(r.default(this._element).trigger(o),!o.isDefaultPrevented()){t&&(e._jQueryInterface.call(r.default(t).not(this._selector),"hide"),n||r.default(t).data(qe,null));var i=this._getDimension();r.default(this._element).removeClass(Qe).addClass(et),this._element.style[i]=0,this._triggerArray.length&&r.default(this._triggerArray).removeClass(tt).attr("aria-expanded",!0),this.setTransitioning(!0);var s=function(){r.default(a._element).removeClass(et).addClass(Qe+" "+Ze),a._element.style[i]="",a.setTransitioning(!1),r.default(a._element).trigger(ot)},l="scroll"+(i[0].toUpperCase()+i.slice(1)),c=_.getTransitionDurationFromElement(this._element);r.default(this._element).one(_.TRANSITION_END,s).emulateTransitionEnd(c),this._element.style[i]=this._element[l]+"px"}}},t.hide=function(){var e=this;if(!this._isTransitioning&&r.default(this._element).hasClass(Ze)){var t=r.default.Event(it);if(r.default(this._element).trigger(t),!t.isDefaultPrevented()){var n=this._getDimension();this._element.style[n]=this._element.getBoundingClientRect()[n]+"px",_.reflow(this._element),r.default(this._element).addClass(et).removeClass(Qe+" "+Ze);var a=this._triggerArray.length;if(a>0)for(var o=0;o0},t._getOffset=function(){var e=this,t={};return"function"==typeof this._config.offset?t.fn=function(t){return t.offsets=l({},t.offsets,e._config.offset(t.offsets,e._element)),t}:t.offset=this._config.offset,t},t._getPopperConfig=function(){var e={placement:this._getPlacement(),modifiers:{offset:this._getOffset(),flip:{enabled:this._config.flip},preventOverflow:{boundariesElement:this._config.boundary}}};return"static"===this._config.display&&(e.modifiers.applyStyle={enabled:!1}),l({},e,this._config.popperConfig)},e._jQueryInterface=function(t){return this.each((function(){var n=r.default(this).data(vt);if(n||(n=new e(this,"object"==typeof t?t:null),r.default(this).data(vt,n)),"string"==typeof t){if(void 0===n[t])throw new TypeError('No method named "'+t+'"');n[t]()}}))},e._clearMenus=function(t){if(!t||t.which!==kt&&("keyup"!==t.type||t.which===Mt))for(var n=[].slice.call(document.querySelectorAll(Yt)),a=0,o=n.length;a0&&i--,t.which===Bt&&idocument.documentElement.clientHeight;n||(this._element.style.overflowY="hidden"),this._element.classList.add(vn);var a=_.getTransitionDurationFromElement(this._dialog);r.default(this._element).off(_.TRANSITION_END),r.default(this._element).one(_.TRANSITION_END,(function(){e._element.classList.remove(vn),n||r.default(e._element).one(_.TRANSITION_END,(function(){e._element.style.overflowY=""})).emulateTransitionEnd(e._element,a)})).emulateTransitionEnd(a),this._element.focus()}},t._showElement=function(e){var t=this,n=r.default(this._element).hasClass(pn),a=this._dialog?this._dialog.querySelector(On):null;this._element.parentNode&&this._element.parentNode.nodeType===Node.ELEMENT_NODE||document.body.appendChild(this._element),this._element.style.display="block",this._element.removeAttribute("aria-hidden"),this._element.setAttribute("aria-modal",!0),this._element.setAttribute("role","dialog"),r.default(this._dialog).hasClass(un)&&a?a.scrollTop=0:this._element.scrollTop=0,n&&_.reflow(this._element),r.default(this._element).addClass(mn),this._config.focus&&this._enforceFocus();var o=r.default.Event(In,{relatedTarget:e}),i=function(){t._config.focus&&t._element.focus(),t._isTransitioning=!1,r.default(t._element).trigger(o)};if(n){var s=_.getTransitionDurationFromElement(this._dialog);r.default(this._dialog).one(_.TRANSITION_END,i).emulateTransitionEnd(s)}else i()},t._enforceFocus=function(){var e=this;r.default(document).off(Mn).on(Mn,(function(t){document!==t.target&&e._element!==t.target&&0===r.default(e._element).has(t.target).length&&e._element.focus()}))},t._setEscapeEvent=function(){var e=this;this._isShown?r.default(this._element).on(kn,(function(t){e._config.keyboard&&t.which===cn?(t.preventDefault(),e.hide()):e._config.keyboard||t.which!==cn||e._triggerBackdropTransition()})):this._isShown||r.default(this._element).off(kn)},t._setResizeEvent=function(){var e=this;this._isShown?r.default(window).on(wn,(function(t){return e.handleUpdate(t)})):r.default(window).off(wn)},t._hideModal=function(){var e=this;this._element.style.display="none",this._element.setAttribute("aria-hidden",!0),this._element.removeAttribute("aria-modal"),this._element.removeAttribute("role"),this._isTransitioning=!1,this._showBackdrop((function(){r.default(document.body).removeClass(fn),e._resetAdjustments(),e._resetScrollbar(),r.default(e._element).trigger(bn)}))},t._removeBackdrop=function(){this._backdrop&&(r.default(this._backdrop).remove(),this._backdrop=null)},t._showBackdrop=function(e){var t=this,n=r.default(this._element).hasClass(pn)?pn:"";if(this._isShown&&this._config.backdrop){if(this._backdrop=document.createElement("div"),this._backdrop.className=hn,n&&this._backdrop.classList.add(n),r.default(this._backdrop).appendTo(document.body),r.default(this._element).on(Bn,(function(e){t._ignoreBackdropClick?t._ignoreBackdropClick=!1:e.target===e.currentTarget&&("static"===t._config.backdrop?t._triggerBackdropTransition():t.hide())})),n&&_.reflow(this._backdrop),r.default(this._backdrop).addClass(mn),!e)return;if(!n)return void e();var a=_.getTransitionDurationFromElement(this._backdrop);r.default(this._backdrop).one(_.TRANSITION_END,e).emulateTransitionEnd(a)}else if(!this._isShown&&this._backdrop){r.default(this._backdrop).removeClass(mn);var o=function(){t._removeBackdrop(),e&&e()};if(r.default(this._element).hasClass(pn)){var i=_.getTransitionDurationFromElement(this._backdrop);r.default(this._backdrop).one(_.TRANSITION_END,o).emulateTransitionEnd(i)}else o()}else e&&e()},t._adjustDialog=function(){var e=this._element.scrollHeight>document.documentElement.clientHeight;!this._isBodyOverflowing&&e&&(this._element.style.paddingLeft=this._scrollbarWidth+"px"),this._isBodyOverflowing&&!e&&(this._element.style.paddingRight=this._scrollbarWidth+"px")},t._resetAdjustments=function(){this._element.style.paddingLeft="",this._element.style.paddingRight=""},t._checkScrollbar=function(){var e=document.body.getBoundingClientRect();this._isBodyOverflowing=Math.round(e.left+e.right)
',trigger:"hover focus",title:"",delay:0,html:!1,selector:!1,placement:"top",offset:0,container:!1,fallbackPlacement:"flip",boundary:"scrollParent",customClass:"",sanitize:!0,sanitizeFn:null,whiteList:Nn,popperConfig:null},ua={animation:"boolean",template:"string",title:"(string|element|function)",trigger:"string",delay:"(number|object)",html:"boolean",selector:"(string|boolean)",placement:"(string|function)",offset:"(number|string|function)",container:"(string|element|boolean)",fallbackPlacement:"(string|array)",boundary:"(string|element)",customClass:"(string|function)",sanitize:"boolean",sanitizeFn:"(null|function)",whiteList:"object",popperConfig:"(null|object)"},da={HIDE:"hide"+Gn,HIDDEN:"hidden"+Gn,SHOW:"show"+Gn,SHOWN:"shown"+Gn,INSERTED:"inserted"+Gn,CLICK:"click"+Gn,FOCUSIN:"focusin"+Gn,FOCUSOUT:"focusout"+Gn,MOUSEENTER:"mouseenter"+Gn,MOUSELEAVE:"mouseleave"+Gn},ha=function(){function e(e,t){if(void 0===o.default)throw new TypeError("Bootstrap's tooltips require Popper (https://popper.js.org)");this._isEnabled=!0,this._timeout=0,this._hoverState="",this._activeTrigger={},this._popper=null,this.element=e,this.config=this._getConfig(t),this.tip=null,this._setListeners()}var t=e.prototype;return t.enable=function(){this._isEnabled=!0},t.disable=function(){this._isEnabled=!1},t.toggleEnabled=function(){this._isEnabled=!this._isEnabled},t.toggle=function(e){if(this._isEnabled)if(e){var t=this.constructor.DATA_KEY,n=r.default(e.currentTarget).data(t);n||(n=new this.constructor(e.currentTarget,this._getDelegateConfig()),r.default(e.currentTarget).data(t,n)),n._activeTrigger.click=!n._activeTrigger.click,n._isWithActiveTrigger()?n._enter(null,n):n._leave(null,n)}else{if(r.default(this.getTipElement()).hasClass(Qn))return void this._leave(null,this);this._enter(null,this)}},t.dispose=function(){clearTimeout(this._timeout),r.default.removeData(this.element,this.constructor.DATA_KEY),r.default(this.element).off(this.constructor.EVENT_KEY),r.default(this.element).closest(".modal").off("hide.bs.modal",this._hideModalHandler),this.tip&&r.default(this.tip).remove(),this._isEnabled=null,this._timeout=null,this._hoverState=null,this._activeTrigger=null,this._popper&&this._popper.destroy(),this._popper=null,this.element=null,this.config=null,this.tip=null},t.show=function(){var e=this;if("none"===r.default(this.element).css("display"))throw new Error("Please use show on visible elements");var t=r.default.Event(this.constructor.Event.SHOW);if(this.isWithContent()&&this._isEnabled){r.default(this.element).trigger(t);var n=_.findShadowRoot(this.element),a=r.default.contains(null!==n?n:this.element.ownerDocument.documentElement,this.element);if(t.isDefaultPrevented()||!a)return;var i=this.getTipElement(),s=_.getUID(this.constructor.NAME);i.setAttribute("id",s),this.element.setAttribute("aria-describedby",s),this.setContent(),this.config.animation&&r.default(i).addClass(Zn);var l="function"==typeof this.config.placement?this.config.placement.call(this,i,this.element):this.config.placement,c=this._getAttachment(l);this.addAttachmentClass(c);var u=this._getContainer();r.default(i).data(this.constructor.DATA_KEY,this),r.default.contains(this.element.ownerDocument.documentElement,this.tip)||r.default(i).appendTo(u),r.default(this.element).trigger(this.constructor.Event.INSERTED),this._popper=new o.default(this.element,i,this._getPopperConfig(c)),r.default(i).addClass(Qn),r.default(i).addClass(this.config.customClass),"ontouchstart"in document.documentElement&&r.default(document.body).children().on("mouseover",null,r.default.noop);var d=function(){e.config.animation&&e._fixTransition();var t=e._hoverState;e._hoverState=null,r.default(e.element).trigger(e.constructor.Event.SHOWN),t===ta&&e._leave(null,e)};if(r.default(this.tip).hasClass(Zn)){var h=_.getTransitionDurationFromElement(this.tip);r.default(this.tip).one(_.TRANSITION_END,d).emulateTransitionEnd(h)}else d()}},t.hide=function(e){var t=this,n=this.getTipElement(),a=r.default.Event(this.constructor.Event.HIDE),o=function(){t._hoverState!==ea&&n.parentNode&&n.parentNode.removeChild(n),t._cleanTipClass(),t.element.removeAttribute("aria-describedby"),r.default(t.element).trigger(t.constructor.Event.HIDDEN),null!==t._popper&&t._popper.destroy(),e&&e()};if(r.default(this.element).trigger(a),!a.isDefaultPrevented()){if(r.default(n).removeClass(Qn),"ontouchstart"in document.documentElement&&r.default(document.body).children().off("mouseover",null,r.default.noop),this._activeTrigger[ia]=!1,this._activeTrigger[oa]=!1,this._activeTrigger[ra]=!1,r.default(this.tip).hasClass(Zn)){var i=_.getTransitionDurationFromElement(n);r.default(n).one(_.TRANSITION_END,o).emulateTransitionEnd(i)}else o();this._hoverState=""}},t.update=function(){null!==this._popper&&this._popper.scheduleUpdate()},t.isWithContent=function(){return Boolean(this.getTitle())},t.addAttachmentClass=function(e){r.default(this.getTipElement()).addClass(Xn+"-"+e)},t.getTipElement=function(){return this.tip=this.tip||r.default(this.config.template)[0],this.tip},t.setContent=function(){var e=this.getTipElement();this.setElementContent(r.default(e.querySelectorAll(na)),this.getTitle()),r.default(e).removeClass(Zn+" "+Qn)},t.setElementContent=function(e,t){"object"!=typeof t||!t.nodeType&&!t.jquery?this.config.html?(this.config.sanitize&&(t=jn(t,this.config.whiteList,this.config.sanitizeFn)),e.html(t)):e.text(t):this.config.html?r.default(t).parent().is(e)||e.empty().append(t):e.text(r.default(t).text())},t.getTitle=function(){var e=this.element.getAttribute("data-original-title");return e||(e="function"==typeof this.config.title?this.config.title.call(this.element):this.config.title),e},t._getPopperConfig=function(e){var t=this;return l({},{placement:e,modifiers:{offset:this._getOffset(),flip:{behavior:this.config.fallbackPlacement},arrow:{element:aa},preventOverflow:{boundariesElement:this.config.boundary}},onCreate:function(e){e.originalPlacement!==e.placement&&t._handlePopperPlacementChange(e)},onUpdate:function(e){return t._handlePopperPlacementChange(e)}},this.config.popperConfig)},t._getOffset=function(){var e=this,t={};return"function"==typeof this.config.offset?t.fn=function(t){return t.offsets=l({},t.offsets,e.config.offset(t.offsets,e.element)),t}:t.offset=this.config.offset,t},t._getContainer=function(){return!1===this.config.container?document.body:_.isElement(this.config.container)?r.default(this.config.container):r.default(document).find(this.config.container)},t._getAttachment=function(e){return la[e.toUpperCase()]},t._setListeners=function(){var e=this;this.config.trigger.split(" ").forEach((function(t){if("click"===t)r.default(e.element).on(e.constructor.Event.CLICK,e.config.selector,(function(t){return e.toggle(t)}));else if(t!==sa){var n=t===ra?e.constructor.Event.MOUSEENTER:e.constructor.Event.FOCUSIN,a=t===ra?e.constructor.Event.MOUSELEAVE:e.constructor.Event.FOCUSOUT;r.default(e.element).on(n,e.config.selector,(function(t){return e._enter(t)})).on(a,e.config.selector,(function(t){return e._leave(t)}))}})),this._hideModalHandler=function(){e.element&&e.hide()},r.default(this.element).closest(".modal").on("hide.bs.modal",this._hideModalHandler),this.config.selector?this.config=l({},this.config,{trigger:"manual",selector:""}):this._fixTitle()},t._fixTitle=function(){var e=typeof this.element.getAttribute("data-original-title");(this.element.getAttribute("title")||"string"!==e)&&(this.element.setAttribute("data-original-title",this.element.getAttribute("title")||""),this.element.setAttribute("title",""))},t._enter=function(e,t){var n=this.constructor.DATA_KEY;(t=t||r.default(e.currentTarget).data(n))||(t=new this.constructor(e.currentTarget,this._getDelegateConfig()),r.default(e.currentTarget).data(n,t)),e&&(t._activeTrigger["focusin"===e.type?oa:ra]=!0),r.default(t.getTipElement()).hasClass(Qn)||t._hoverState===ea?t._hoverState=ea:(clearTimeout(t._timeout),t._hoverState=ea,t.config.delay&&t.config.delay.show?t._timeout=setTimeout((function(){t._hoverState===ea&&t.show()}),t.config.delay.show):t.show())},t._leave=function(e,t){var n=this.constructor.DATA_KEY;(t=t||r.default(e.currentTarget).data(n))||(t=new this.constructor(e.currentTarget,this._getDelegateConfig()),r.default(e.currentTarget).data(n,t)),e&&(t._activeTrigger["focusout"===e.type?oa:ra]=!1),t._isWithActiveTrigger()||(clearTimeout(t._timeout),t._hoverState=ta,t.config.delay&&t.config.delay.hide?t._timeout=setTimeout((function(){t._hoverState===ta&&t.hide()}),t.config.delay.hide):t.hide())},t._isWithActiveTrigger=function(){for(var e in this._activeTrigger)if(this._activeTrigger[e])return!0;return!1},t._getConfig=function(e){var t=r.default(this.element).data();return Object.keys(t).forEach((function(e){-1!==Jn.indexOf(e)&&delete t[e]})),"number"==typeof(e=l({},this.constructor.Default,t,"object"==typeof e&&e?e:{})).delay&&(e.delay={show:e.delay,hide:e.delay}),"number"==typeof e.title&&(e.title=e.title.toString()),"number"==typeof e.content&&(e.content=e.content.toString()),_.typeCheckConfig(Un,e,this.constructor.DefaultType),e.sanitize&&(e.template=jn(e.template,e.whiteList,e.sanitizeFn)),e},t._getDelegateConfig=function(){var e={};if(this.config)for(var t in this.config)this.constructor.Default[t]!==this.config[t]&&(e[t]=this.config[t]);return e},t._cleanTipClass=function(){var e=r.default(this.getTipElement()),t=e.attr("class").match(Kn);null!==t&&t.length&&e.removeClass(t.join(""))},t._handlePopperPlacementChange=function(e){this.tip=e.instance.popper,this._cleanTipClass(),this.addAttachmentClass(this._getAttachment(e.placement))},t._fixTransition=function(){var e=this.getTipElement(),t=this.config.animation;null===e.getAttribute("x-placement")&&(r.default(e).removeClass(Zn),this.config.animation=!1,this.hide(),this.show(),this.config.animation=t)},e._jQueryInterface=function(t){return this.each((function(){var n=r.default(this),a=n.data(Wn),o="object"==typeof t&&t;if((a||!/dispose|hide/.test(t))&&(a||(a=new e(this,o),n.data(Wn,a)),"string"==typeof t)){if(void 0===a[t])throw new TypeError('No method named "'+t+'"');a[t]()}}))},s(e,null,[{key:"VERSION",get:function(){return $n}},{key:"Default",get:function(){return ca}},{key:"NAME",get:function(){return Un}},{key:"DATA_KEY",get:function(){return Wn}},{key:"Event",get:function(){return da}},{key:"EVENT_KEY",get:function(){return Gn}},{key:"DefaultType",get:function(){return ua}}]),e}();r.default.fn[Un]=ha._jQueryInterface,r.default.fn[Un].Constructor=ha,r.default.fn[Un].noConflict=function(){return r.default.fn[Un]=qn,ha._jQueryInterface};var fa="popover",pa="4.6.2",ma="bs.popover",va="."+ma,ga=r.default.fn[fa],_a="bs-popover",ba=new RegExp("(^|\\s)"+_a+"\\S+","g"),ya="fade",Ia="show",Ma=".popover-header",wa=".popover-body",Ba=l({},ha.Default,{placement:"right",trigger:"click",content:"",template:''}),ka=l({},ha.DefaultType,{content:"(string|element|function)"}),Ta={HIDE:"hide"+va,HIDDEN:"hidden"+va,SHOW:"show"+va,SHOWN:"shown"+va,INSERTED:"inserted"+va,CLICK:"click"+va,FOCUSIN:"focusin"+va,FOCUSOUT:"focusout"+va,MOUSEENTER:"mouseenter"+va,MOUSELEAVE:"mouseleave"+va},Pa=function(e){function t(){return e.apply(this,arguments)||this}c(t,e);var n=t.prototype;return n.isWithContent=function(){return this.getTitle()||this._getContent()},n.addAttachmentClass=function(e){r.default(this.getTipElement()).addClass(_a+"-"+e)},n.getTipElement=function(){return this.tip=this.tip||r.default(this.config.template)[0],this.tip},n.setContent=function(){var e=r.default(this.getTipElement());this.setElementContent(e.find(Ma),this.getTitle());var t=this._getContent();"function"==typeof t&&(t=t.call(this.element)),this.setElementContent(e.find(wa),t),e.removeClass(ya+" "+Ia)},n._getContent=function(){return this.element.getAttribute("data-content")||this.config.content},n._cleanTipClass=function(){var e=r.default(this.getTipElement()),t=e.attr("class").match(ba);null!==t&&t.length>0&&e.removeClass(t.join(""))},t._jQueryInterface=function(e){return this.each((function(){var n=r.default(this).data(ma),a="object"==typeof e?e:null;if((n||!/dispose|hide/.test(e))&&(n||(n=new t(this,a),r.default(this).data(ma,n)),"string"==typeof e)){if(void 0===n[e])throw new TypeError('No method named "'+e+'"');n[e]()}}))},s(t,null,[{key:"VERSION",get:function(){return pa}},{key:"Default",get:function(){return Ba}},{key:"NAME",get:function(){return fa}},{key:"DATA_KEY",get:function(){return ma}},{key:"Event",get:function(){return Ta}},{key:"EVENT_KEY",get:function(){return va}},{key:"DefaultType",get:function(){return ka}}]),t}(ha);r.default.fn[fa]=Pa._jQueryInterface,r.default.fn[fa].Constructor=Pa,r.default.fn[fa].noConflict=function(){return r.default.fn[fa]=ga,Pa._jQueryInterface};var Ea="scrollspy",xa="4.6.2",Oa="bs.scrollspy",Sa="."+Oa,Aa=".data-api",La=r.default.fn[Ea],Ca="dropdown-item",za="active",Da="activate"+Sa,Fa="scroll"+Sa,Ra="load"+Sa+Aa,Na="offset",Ha="position",Va='[data-spy="scroll"]',Ya=".nav, .list-group",ja=".nav-link",Ua=".nav-item",$a=".list-group-item",Wa=".dropdown",Ga=".dropdown-item",qa=".dropdown-toggle",Xa={offset:10,method:"auto",target:""},Ka={offset:"number",method:"string",target:"(string|element)"},Ja=function(){function e(e,t){var n=this;this._element=e,this._scrollElement="BODY"===e.tagName?window:e,this._config=this._getConfig(t),this._selector=this._config.target+" "+ja+","+this._config.target+" "+$a+","+this._config.target+" "+Ga,this._offsets=[],this._targets=[],this._activeTarget=null,this._scrollHeight=0,r.default(this._scrollElement).on(Fa,(function(e){return n._process(e)})),this.refresh(),this._process()}var t=e.prototype;return t.refresh=function(){var e=this,t=this._scrollElement===this._scrollElement.window?Na:Ha,n="auto"===this._config.method?t:this._config.method,a=n===Ha?this._getScrollTop():0;this._offsets=[],this._targets=[],this._scrollHeight=this._getScrollHeight(),[].slice.call(document.querySelectorAll(this._selector)).map((function(e){var t,o=_.getSelectorFromElement(e);if(o&&(t=document.querySelector(o)),t){var i=t.getBoundingClientRect();if(i.width||i.height)return[r.default(t)[n]().top+a,o]}return null})).filter(Boolean).sort((function(e,t){return e[0]-t[0]})).forEach((function(t){e._offsets.push(t[0]),e._targets.push(t[1])}))},t.dispose=function(){r.default.removeData(this._element,Oa),r.default(this._scrollElement).off(Sa),this._element=null,this._scrollElement=null,this._config=null,this._selector=null,this._offsets=null,this._targets=null,this._activeTarget=null,this._scrollHeight=null},t._getConfig=function(e){if("string"!=typeof(e=l({},Xa,"object"==typeof e&&e?e:{})).target&&_.isElement(e.target)){var t=r.default(e.target).attr("id");t||(t=_.getUID(Ea),r.default(e.target).attr("id",t)),e.target="#"+t}return _.typeCheckConfig(Ea,e,Ka),e},t._getScrollTop=function(){return this._scrollElement===window?this._scrollElement.pageYOffset:this._scrollElement.scrollTop},t._getScrollHeight=function(){return this._scrollElement.scrollHeight||Math.max(document.body.scrollHeight,document.documentElement.scrollHeight)},t._getOffsetHeight=function(){return this._scrollElement===window?window.innerHeight:this._scrollElement.getBoundingClientRect().height},t._process=function(){var e=this._getScrollTop()+this._config.offset,t=this._getScrollHeight(),n=this._config.offset+t-this._getOffsetHeight();if(this._scrollHeight!==t&&this.refresh(),e>=n){var a=this._targets[this._targets.length-1];this._activeTarget!==a&&this._activate(a)}else{if(this._activeTarget&&e0)return this._activeTarget=null,void this._clear();for(var r=this._offsets.length;r--;)this._activeTarget!==this._targets[r]&&e>=this._offsets[r]&&(void 0===this._offsets[r+1]||e1&&(r-=1)),[360*r,100*o,100*c]},r.rgb.hwb=function(e){var t=e[0],n=e[1],a=e[2];return[r.rgb.hsl(e)[0],1/255*Math.min(t,Math.min(n,a))*100,100*(a=1-1/255*Math.max(t,Math.max(n,a)))]},r.rgb.cmyk=function(e){var t,n=e[0]/255,a=e[1]/255,r=e[2]/255;return[100*((1-n-(t=Math.min(1-n,1-a,1-r)))/(1-t)||0),100*((1-a-t)/(1-t)||0),100*((1-r-t)/(1-t)||0),100*t]},r.rgb.keyword=function(e){var n=t[e];if(n)return n;var r,o=1/0;for(var i in a)if(a.hasOwnProperty(i)){var s=l(e,a[i]);s.04045?Math.pow((t+.055)/1.055,2.4):t/12.92)+.3576*(n=n>.04045?Math.pow((n+.055)/1.055,2.4):n/12.92)+.1805*(a=a>.04045?Math.pow((a+.055)/1.055,2.4):a/12.92)),100*(.2126*t+.7152*n+.0722*a),100*(.0193*t+.1192*n+.9505*a)]},r.rgb.lab=function(e){var t=r.rgb.xyz(e),n=t[0],a=t[1],o=t[2];return a/=100,o/=108.883,n=(n/=95.047)>.008856?Math.pow(n,1/3):7.787*n+16/116,[116*(a=a>.008856?Math.pow(a,1/3):7.787*a+16/116)-16,500*(n-a),200*(a-(o=o>.008856?Math.pow(o,1/3):7.787*o+16/116))]},r.hsl.rgb=function(e){var t,n,a,r,o,i=e[0]/360,s=e[1]/100,l=e[2]/100;if(0===s)return[o=255*l,o,o];t=2*l-(n=l<.5?l*(1+s):l+s-l*s),r=[0,0,0];for(var c=0;c<3;c++)(a=i+1/3*-(c-1))<0&&a++,a>1&&a--,o=6*a<1?t+6*(n-t)*a:2*a<1?n:3*a<2?t+(n-t)*(2/3-a)*6:t,r[c]=255*o;return r},r.hsl.hsv=function(e){var t=e[0],n=e[1]/100,a=e[2]/100,r=n,o=Math.max(a,.01);return n*=(a*=2)<=1?a:2-a,r*=o<=1?o:2-o,[t,100*(0===a?2*r/(o+r):2*n/(a+n)),(a+n)/2*100]},r.hsv.rgb=function(e){var t=e[0]/60,n=e[1]/100,a=e[2]/100,r=Math.floor(t)%6,o=t-Math.floor(t),i=255*a*(1-n),s=255*a*(1-n*o),l=255*a*(1-n*(1-o));switch(a*=255,r){case 0:return[a,l,i];case 1:return[s,a,i];case 2:return[i,a,l];case 3:return[i,s,a];case 4:return[l,i,a];case 5:return[a,i,s]}},r.hsv.hsl=function(e){var t,n,a,r=e[0],o=e[1]/100,i=e[2]/100,s=Math.max(i,.01);return a=(2-o)*i,n=o*s,[r,100*(n=(n/=(t=(2-o)*s)<=1?t:2-t)||0),100*(a/=2)]},r.hwb.rgb=function(e){var t,n,a,r,o,i,s,l=e[0]/360,c=e[1]/100,u=e[2]/100,d=c+u;switch(d>1&&(c/=d,u/=d),a=6*l-(t=Math.floor(6*l)),0!=(1&t)&&(a=1-a),r=c+a*((n=1-u)-c),t){default:case 6:case 0:o=n,i=r,s=c;break;case 1:o=r,i=n,s=c;break;case 2:o=c,i=n,s=r;break;case 3:o=c,i=r,s=n;break;case 4:o=r,i=c,s=n;break;case 5:o=n,i=c,s=r}return[255*o,255*i,255*s]},r.cmyk.rgb=function(e){var t=e[0]/100,n=e[1]/100,a=e[2]/100,r=e[3]/100;return[255*(1-Math.min(1,t*(1-r)+r)),255*(1-Math.min(1,n*(1-r)+r)),255*(1-Math.min(1,a*(1-r)+r))]},r.xyz.rgb=function(e){var t,n,a,r=e[0]/100,o=e[1]/100,i=e[2]/100;return n=-.9689*r+1.8758*o+.0415*i,a=.0557*r+-.204*o+1.057*i,t=(t=3.2406*r+-1.5372*o+-.4986*i)>.0031308?1.055*Math.pow(t,1/2.4)-.055:12.92*t,n=n>.0031308?1.055*Math.pow(n,1/2.4)-.055:12.92*n,a=a>.0031308?1.055*Math.pow(a,1/2.4)-.055:12.92*a,[255*(t=Math.min(Math.max(0,t),1)),255*(n=Math.min(Math.max(0,n),1)),255*(a=Math.min(Math.max(0,a),1))]},r.xyz.lab=function(e){var t=e[0],n=e[1],a=e[2];return n/=100,a/=108.883,t=(t/=95.047)>.008856?Math.pow(t,1/3):7.787*t+16/116,[116*(n=n>.008856?Math.pow(n,1/3):7.787*n+16/116)-16,500*(t-n),200*(n-(a=a>.008856?Math.pow(a,1/3):7.787*a+16/116))]},r.lab.xyz=function(e){var t,n,a,r=e[0];t=e[1]/500+(n=(r+16)/116),a=n-e[2]/200;var o=Math.pow(n,3),i=Math.pow(t,3),s=Math.pow(a,3);return n=o>.008856?o:(n-16/116)/7.787,t=i>.008856?i:(t-16/116)/7.787,a=s>.008856?s:(a-16/116)/7.787,[t*=95.047,n*=100,a*=108.883]},r.lab.lch=function(e){var t,n=e[0],a=e[1],r=e[2];return(t=360*Math.atan2(r,a)/2/Math.PI)<0&&(t+=360),[n,Math.sqrt(a*a+r*r),t]},r.lch.lab=function(e){var t,n=e[0],a=e[1];return t=e[2]/360*2*Math.PI,[n,a*Math.cos(t),a*Math.sin(t)]},r.rgb.ansi16=function(e){var t=e[0],n=e[1],a=e[2],o=1 in arguments?arguments[1]:r.rgb.hsv(e)[2];if(0===(o=Math.round(o/50)))return 30;var i=30+(Math.round(a/255)<<2|Math.round(n/255)<<1|Math.round(t/255));return 2===o&&(i+=60),i},r.hsv.ansi16=function(e){return r.rgb.ansi16(r.hsv.rgb(e),e[2])},r.rgb.ansi256=function(e){var t=e[0],n=e[1],a=e[2];return t===n&&n===a?t<8?16:t>248?231:Math.round((t-8)/247*24)+232:16+36*Math.round(t/255*5)+6*Math.round(n/255*5)+Math.round(a/255*5)},r.ansi16.rgb=function(e){var t=e%10;if(0===t||7===t)return e>50&&(t+=3.5),[t=t/10.5*255,t,t];var n=.5*(1+~~(e>50));return[(1&t)*n*255,(t>>1&1)*n*255,(t>>2&1)*n*255]},r.ansi256.rgb=function(e){if(e>=232){var t=10*(e-232)+8;return[t,t,t]}var n;return e-=16,[Math.floor(e/36)/5*255,Math.floor((n=e%36)/6)/5*255,n%6/5*255]},r.rgb.hex=function(e){var t=(((255&Math.round(e[0]))<<16)+((255&Math.round(e[1]))<<8)+(255&Math.round(e[2]))).toString(16).toUpperCase();return"000000".substring(t.length)+t},r.hex.rgb=function(e){var t=e.toString(16).match(/[a-f0-9]{6}|[a-f0-9]{3}/i);if(!t)return[0,0,0];var n=t[0];3===t[0].length&&(n=n.split("").map((function(e){return e+e})).join(""));var a=parseInt(n,16);return[a>>16&255,a>>8&255,255&a]},r.rgb.hcg=function(e){var t,n=e[0]/255,a=e[1]/255,r=e[2]/255,o=Math.max(Math.max(n,a),r),i=Math.min(Math.min(n,a),r),s=o-i;return t=s<=0?0:o===n?(a-r)/s%6:o===a?2+(r-n)/s:4+(n-a)/s+4,t/=6,[360*(t%=1),100*s,100*(s<1?i/(1-s):0)]},r.hsl.hcg=function(e){var t=e[1]/100,n=e[2]/100,a=1,r=0;return(a=n<.5?2*t*n:2*t*(1-n))<1&&(r=(n-.5*a)/(1-a)),[e[0],100*a,100*r]},r.hsv.hcg=function(e){var t=e[1]/100,n=e[2]/100,a=t*n,r=0;return a<1&&(r=(n-a)/(1-a)),[e[0],100*a,100*r]},r.hcg.rgb=function(e){var t=e[0]/360,n=e[1]/100,a=e[2]/100;if(0===n)return[255*a,255*a,255*a];var r=[0,0,0],o=t%1*6,i=o%1,s=1-i,l=0;switch(Math.floor(o)){case 0:r[0]=1,r[1]=i,r[2]=0;break;case 1:r[0]=s,r[1]=1,r[2]=0;break;case 2:r[0]=0,r[1]=1,r[2]=i;break;case 3:r[0]=0,r[1]=s,r[2]=1;break;case 4:r[0]=i,r[1]=0,r[2]=1;break;default:r[0]=1,r[1]=0,r[2]=s}return l=(1-n)*a,[255*(n*r[0]+l),255*(n*r[1]+l),255*(n*r[2]+l)]},r.hcg.hsv=function(e){var t=e[1]/100,n=t+e[2]/100*(1-t),a=0;return n>0&&(a=t/n),[e[0],100*a,100*n]},r.hcg.hsl=function(e){var t=e[1]/100,n=e[2]/100*(1-t)+.5*t,a=0;return n>0&&n<.5?a=t/(2*n):n>=.5&&n<1&&(a=t/(2*(1-n))),[e[0],100*a,100*n]},r.hcg.hwb=function(e){var t=e[1]/100,n=t+e[2]/100*(1-t);return[e[0],100*(n-t),100*(1-n)]},r.hwb.hcg=function(e){var t=e[1]/100,n=1-e[2]/100,a=n-t,r=0;return a<1&&(r=(n-a)/(1-a)),[e[0],100*a,100*r]},r.apple.rgb=function(e){return[e[0]/65535*255,e[1]/65535*255,e[2]/65535*255]},r.rgb.apple=function(e){return[e[0]/255*65535,e[1]/255*65535,e[2]/255*65535]},r.gray.rgb=function(e){return[e[0]/100*255,e[0]/100*255,e[0]/100*255]},r.gray.hsl=r.gray.hsv=function(e){return[0,0,e[0]]},r.gray.hwb=function(e){return[0,100,e[0]]},r.gray.cmyk=function(e){return[0,0,0,e[0]]},r.gray.lab=function(e){return[e[0],0,0]},r.gray.hex=function(e){var t=255&Math.round(e[0]/100*255),n=((t<<16)+(t<<8)+t).toString(16).toUpperCase();return"000000".substring(n.length)+n},r.rgb.gray=function(e){return[(e[0]+e[1]+e[2])/3/255*100]}}));function o(){for(var e={},t=Object.keys(r),n=t.length,a=0;a1&&(t=Array.prototype.slice.call(arguments)),e(t))};return"conversion"in e&&(t.conversion=e.conversion),t}function h(e){var t=function(t){if(null==t)return t;arguments.length>1&&(t=Array.prototype.slice.call(arguments));var n=e(t);if("object"==typeof n)for(var a=n.length,r=0;r=0&&t<1?A(Math.round(255*t)):"")}function w(e,t){return t<1||e[3]&&e[3]<1?B(e,t):"rgb("+e[0]+", "+e[1]+", "+e[2]+")"}function B(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"rgba("+e[0]+", "+e[1]+", "+e[2]+", "+t+")"}function k(e,t){return t<1||e[3]&&e[3]<1?T(e,t):"rgb("+Math.round(e[0]/255*100)+"%, "+Math.round(e[1]/255*100)+"%, "+Math.round(e[2]/255*100)+"%)"}function T(e,t){return"rgba("+Math.round(e[0]/255*100)+"%, "+Math.round(e[1]/255*100)+"%, "+Math.round(e[2]/255*100)+"%, "+(t||e[3]||1)+")"}function P(e,t){return t<1||e[3]&&e[3]<1?E(e,t):"hsl("+e[0]+", "+e[1]+"%, "+e[2]+"%)"}function E(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"hsla("+e[0]+", "+e[1]+"%, "+e[2]+"%, "+t+")"}function x(e,t){return void 0===t&&(t=void 0!==e[3]?e[3]:1),"hwb("+e[0]+", "+e[1]+"%, "+e[2]+"%"+(void 0!==t&&1!==t?", "+t:"")+")"}function O(e){return L[e.slice(0,3)]}function S(e,t,n){return Math.min(Math.max(t,e),n)}function A(e){var t=e.toString(16).toUpperCase();return t.length<2?"0"+t:t}var L={};for(var C in p)L[p[C]]=C;var z=function(e){return e instanceof z?e:this instanceof z?(this.valid=!1,this.values={rgb:[0,0,0],hsl:[0,0,0],hsv:[0,0,0],hwb:[0,0,0],cmyk:[0,0,0,0],alpha:1},void("string"==typeof e?(t=m.getRgba(e))?this.setValues("rgb",t):(t=m.getHsla(e))?this.setValues("hsl",t):(t=m.getHwb(e))&&this.setValues("hwb",t):"object"==typeof e&&(void 0!==(t=e).r||void 0!==t.red?this.setValues("rgb",t):void 0!==t.l||void 0!==t.lightness?this.setValues("hsl",t):void 0!==t.v||void 0!==t.value?this.setValues("hsv",t):void 0!==t.w||void 0!==t.whiteness?this.setValues("hwb",t):void 0===t.c&&void 0===t.cyan||this.setValues("cmyk",t)))):new z(e);var t};z.prototype={isValid:function(){return this.valid},rgb:function(){return this.setSpace("rgb",arguments)},hsl:function(){return this.setSpace("hsl",arguments)},hsv:function(){return this.setSpace("hsv",arguments)},hwb:function(){return this.setSpace("hwb",arguments)},cmyk:function(){return this.setSpace("cmyk",arguments)},rgbArray:function(){return this.values.rgb},hslArray:function(){return this.values.hsl},hsvArray:function(){return this.values.hsv},hwbArray:function(){var e=this.values;return 1!==e.alpha?e.hwb.concat([e.alpha]):e.hwb},cmykArray:function(){return this.values.cmyk},rgbaArray:function(){var e=this.values;return e.rgb.concat([e.alpha])},hslaArray:function(){var e=this.values;return e.hsl.concat([e.alpha])},alpha:function(e){return void 0===e?this.values.alpha:(this.setValues("alpha",e),this)},red:function(e){return this.setChannel("rgb",0,e)},green:function(e){return this.setChannel("rgb",1,e)},blue:function(e){return this.setChannel("rgb",2,e)},hue:function(e){return e&&(e=(e%=360)<0?360+e:e),this.setChannel("hsl",0,e)},saturation:function(e){return this.setChannel("hsl",1,e)},lightness:function(e){return this.setChannel("hsl",2,e)},saturationv:function(e){return this.setChannel("hsv",1,e)},whiteness:function(e){return this.setChannel("hwb",1,e)},blackness:function(e){return this.setChannel("hwb",2,e)},value:function(e){return this.setChannel("hsv",2,e)},cyan:function(e){return this.setChannel("cmyk",0,e)},magenta:function(e){return this.setChannel("cmyk",1,e)},yellow:function(e){return this.setChannel("cmyk",2,e)},black:function(e){return this.setChannel("cmyk",3,e)},hexString:function(){return m.hexString(this.values.rgb)},rgbString:function(){return m.rgbString(this.values.rgb,this.values.alpha)},rgbaString:function(){return m.rgbaString(this.values.rgb,this.values.alpha)},percentString:function(){return m.percentString(this.values.rgb,this.values.alpha)},hslString:function(){return m.hslString(this.values.hsl,this.values.alpha)},hslaString:function(){return m.hslaString(this.values.hsl,this.values.alpha)},hwbString:function(){return m.hwbString(this.values.hwb,this.values.alpha)},keyword:function(){return m.keyword(this.values.rgb,this.values.alpha)},rgbNumber:function(){var e=this.values.rgb;return e[0]<<16|e[1]<<8|e[2]},luminosity:function(){for(var e=this.values.rgb,t=[],n=0;nn?(t+.05)/(n+.05):(n+.05)/(t+.05)},level:function(e){var t=this.contrast(e);return t>=7.1?"AAA":t>=4.5?"AA":""},dark:function(){var e=this.values.rgb;return(299*e[0]+587*e[1]+114*e[2])/1e3<128},light:function(){return!this.dark()},negate:function(){for(var e=[],t=0;t<3;t++)e[t]=255-this.values.rgb[t];return this.setValues("rgb",e),this},lighten:function(e){var t=this.values.hsl;return t[2]+=t[2]*e,this.setValues("hsl",t),this},darken:function(e){var t=this.values.hsl;return t[2]-=t[2]*e,this.setValues("hsl",t),this},saturate:function(e){var t=this.values.hsl;return t[1]+=t[1]*e,this.setValues("hsl",t),this},desaturate:function(e){var t=this.values.hsl;return t[1]-=t[1]*e,this.setValues("hsl",t),this},whiten:function(e){var t=this.values.hwb;return t[1]+=t[1]*e,this.setValues("hwb",t),this},blacken:function(e){var t=this.values.hwb;return t[2]+=t[2]*e,this.setValues("hwb",t),this},greyscale:function(){var e=this.values.rgb,t=.3*e[0]+.59*e[1]+.11*e[2];return this.setValues("rgb",[t,t,t]),this},clearer:function(e){var t=this.values.alpha;return this.setValues("alpha",t-t*e),this},opaquer:function(e){var t=this.values.alpha;return this.setValues("alpha",t+t*e),this},rotate:function(e){var t=this.values.hsl,n=(t[0]+e)%360;return t[0]=n<0?360+n:n,this.setValues("hsl",t),this},mix:function(e,t){var n=this,a=e,r=void 0===t?.5:t,o=2*r-1,i=n.alpha()-a.alpha(),s=((o*i==-1?o:(o+i)/(1+o*i))+1)/2,l=1-s;return this.rgb(s*n.red()+l*a.red(),s*n.green()+l*a.green(),s*n.blue()+l*a.blue()).alpha(n.alpha()*r+a.alpha()*(1-r))},toJSON:function(){return this.rgb()},clone:function(){var e,t,n=new z,a=this.values,r=n.values;for(var o in a)a.hasOwnProperty(o)&&(e=a[o],"[object Array]"===(t={}.toString.call(e))?r[o]=e.slice(0):"[object Number]"===t?r[o]=e:console.error("unexpected color value:",e));return n}},z.prototype.spaces={rgb:["red","green","blue"],hsl:["hue","saturation","lightness"],hsv:["hue","saturation","value"],hwb:["hue","whiteness","blackness"],cmyk:["cyan","magenta","yellow","black"]},z.prototype.maxes={rgb:[255,255,255],hsl:[360,100,100],hsv:[360,100,100],hwb:[360,100,100],cmyk:[100,100,100,100]},z.prototype.getValues=function(e){for(var t=this.values,n={},a=0;a=0;r--)t.call(n,e[r],r);else for(r=0;r=1?e:-(Math.sqrt(1-e*e)-1)},easeOutCirc:function(e){return Math.sqrt(1-(e-=1)*e)},easeInOutCirc:function(e){return(e/=.5)<1?-.5*(Math.sqrt(1-e*e)-1):.5*(Math.sqrt(1-(e-=2)*e)+1)},easeInElastic:function(e){var t=1.70158,n=0,a=1;return 0===e?0:1===e?1:(n||(n=.3),a<1?(a=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/a),-a*Math.pow(2,10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n))},easeOutElastic:function(e){var t=1.70158,n=0,a=1;return 0===e?0:1===e?1:(n||(n=.3),a<1?(a=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/a),a*Math.pow(2,-10*e)*Math.sin((e-t)*(2*Math.PI)/n)+1)},easeInOutElastic:function(e){var t=1.70158,n=0,a=1;return 0===e?0:2==(e/=.5)?1:(n||(n=.45),a<1?(a=1,t=n/4):t=n/(2*Math.PI)*Math.asin(1/a),e<1?a*Math.pow(2,10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n)*-.5:a*Math.pow(2,-10*(e-=1))*Math.sin((e-t)*(2*Math.PI)/n)*.5+1)},easeInBack:function(e){var t=1.70158;return e*e*((t+1)*e-t)},easeOutBack:function(e){var t=1.70158;return(e-=1)*e*((t+1)*e+t)+1},easeInOutBack:function(e){var t=1.70158;return(e/=.5)<1?e*e*((1+(t*=1.525))*e-t)*.5:.5*((e-=2)*e*((1+(t*=1.525))*e+t)+2)},easeInBounce:function(e){return 1-V.easeOutBounce(1-e)},easeOutBounce:function(e){return e<1/2.75?7.5625*e*e:e<2/2.75?7.5625*(e-=1.5/2.75)*e+.75:e<2.5/2.75?7.5625*(e-=2.25/2.75)*e+.9375:7.5625*(e-=2.625/2.75)*e+.984375},easeInOutBounce:function(e){return e<.5?.5*V.easeInBounce(2*e):.5*V.easeOutBounce(2*e-1)+.5}},Y={effects:V};H.easingEffects=V;var j=Math.PI,U=j/180,$=2*j,W=j/2,G=j/4,q=2*j/3,X={clear:function(e){e.ctx.clearRect(0,0,e.width,e.height)},roundedRect:function(e,t,n,a,r,o){if(o){var i=Math.min(o,r/2,a/2),s=t+i,l=n+i,c=t+a-i,u=n+r-i;e.moveTo(t,l),st.left-n&&e.xt.top-n&&e.y0&&e.requestAnimationFrame()},advance:function(){for(var e,t,n,a,r=this.animations,o=0;o=n?(ie.callback(e.onAnimationComplete,[e],t),t.animating=!1,r.splice(o,1)):++o}},_e=ie.options.resolve,be=["push","pop","shift","splice","unshift"];function ye(e,t){e._chartjs?e._chartjs.listeners.push(t):(Object.defineProperty(e,"_chartjs",{configurable:!0,enumerable:!1,value:{listeners:[t]}}),be.forEach((function(t){var n="onData"+t.charAt(0).toUpperCase()+t.slice(1),a=e[t];Object.defineProperty(e,t,{configurable:!0,enumerable:!1,value:function(){var t=Array.prototype.slice.call(arguments),r=a.apply(this,t);return ie.each(e._chartjs.listeners,(function(e){"function"==typeof e[n]&&e[n].apply(e,t)})),r}})})))}function Ie(e,t){var n=e._chartjs;if(n){var a=n.listeners,r=a.indexOf(t);-1!==r&&a.splice(r,1),a.length>0||(be.forEach((function(t){delete e[t]})),delete e._chartjs)}}var Me=function(e,t){this.initialize(e,t)};ie.extend(Me.prototype,{datasetElementType:null,dataElementType:null,_datasetElementOptions:["backgroundColor","borderCapStyle","borderColor","borderDash","borderDashOffset","borderJoinStyle","borderWidth"],_dataElementOptions:["backgroundColor","borderColor","borderWidth","pointStyle"],initialize:function(e,t){var n=this;n.chart=e,n.index=t,n.linkScales(),n.addElements(),n._type=n.getMeta().type},updateIndex:function(e){this.index=e},linkScales:function(){var e=this,t=e.getMeta(),n=e.chart,a=n.scales,r=e.getDataset(),o=n.options.scales;null!==t.xAxisID&&t.xAxisID in a&&!r.xAxisID||(t.xAxisID=r.xAxisID||o.xAxes[0].id),null!==t.yAxisID&&t.yAxisID in a&&!r.yAxisID||(t.yAxisID=r.yAxisID||o.yAxes[0].id)},getDataset:function(){return this.chart.data.datasets[this.index]},getMeta:function(){return this.chart.getDatasetMeta(this.index)},getScaleForId:function(e){return this.chart.scales[e]},_getValueScaleId:function(){return this.getMeta().yAxisID},_getIndexScaleId:function(){return this.getMeta().xAxisID},_getValueScale:function(){return this.getScaleForId(this._getValueScaleId())},_getIndexScale:function(){return this.getScaleForId(this._getIndexScaleId())},reset:function(){this._update(!0)},destroy:function(){this._data&&Ie(this._data,this)},createMetaDataset:function(){var e=this,t=e.datasetElementType;return t&&new t({_chart:e.chart,_datasetIndex:e.index})},createMetaData:function(e){var t=this,n=t.dataElementType;return n&&new n({_chart:t.chart,_datasetIndex:t.index,_index:e})},addElements:function(){var e,t,n=this,a=n.getMeta(),r=n.getDataset().data||[],o=a.data;for(e=0,t=r.length;ea&&e.insertElements(a,r-a)},insertElements:function(e,t){for(var n=0;nr?(o=r/t.innerRadius,e.arc(i,s,t.innerRadius-r,a+o,n-o,!0)):e.arc(i,s,r,a+Math.PI/2,n-Math.PI/2),e.closePath(),e.clip()}function Te(e,t,n,a){var r,o=n.endAngle;for(a&&(n.endAngle=n.startAngle+Be,ke(e,n),n.endAngle=o,n.endAngle===n.startAngle&&n.fullCircles&&(n.endAngle+=Be,n.fullCircles--)),e.beginPath(),e.arc(n.x,n.y,n.innerRadius,n.startAngle+Be,n.startAngle,!0),r=0;rs;)r-=Be;for(;r=i&&r<=s,c=o>=n.innerRadius&&o<=n.outerRadius;return l&&c}return!1},getCenterPoint:function(){var e=this._view,t=(e.startAngle+e.endAngle)/2,n=(e.innerRadius+e.outerRadius)/2;return{x:e.x+Math.cos(t)*n,y:e.y+Math.sin(t)*n}},getArea:function(){var e=this._view;return Math.PI*((e.endAngle-e.startAngle)/(2*Math.PI))*(Math.pow(e.outerRadius,2)-Math.pow(e.innerRadius,2))},tooltipPosition:function(){var e=this._view,t=e.startAngle+(e.endAngle-e.startAngle)/2,n=(e.outerRadius-e.innerRadius)/2+e.innerRadius;return{x:e.x+Math.cos(t)*n,y:e.y+Math.sin(t)*n}},draw:function(){var e,t=this._chart.ctx,n=this._view,a="inner"===n.borderAlign?.33:0,r={x:n.x,y:n.y,innerRadius:n.innerRadius,outerRadius:Math.max(n.outerRadius-a,0),pixelMargin:a,startAngle:n.startAngle,endAngle:n.endAngle,fullCircles:Math.floor(n.circumference/Be)};if(t.save(),t.fillStyle=n.backgroundColor,t.strokeStyle=n.borderColor,r.fullCircles){for(r.endAngle=r.startAngle+Be,t.beginPath(),t.arc(r.x,r.y,r.outerRadius,r.startAngle,r.endAngle),t.arc(r.x,r.y,r.innerRadius,r.endAngle,r.startAngle,!0),t.closePath(),e=0;ee.x&&(t=He(t,"left","right")):e.basen?n:a,r:l.right||r<0?0:r>t?t:r,b:l.bottom||o<0?0:o>n?n:o,l:l.left||i<0?0:i>t?t:i}}function je(e){var t=Ne(e),n=t.right-t.left,a=t.bottom-t.top,r=Ye(e,n/2,a/2);return{outer:{x:t.left,y:t.top,w:n,h:a},inner:{x:t.left+r.l,y:t.top+r.t,w:n-r.l-r.r,h:a-r.t-r.b}}}function Ue(e,t,n){var a=null===t,r=null===n,o=!(!e||a&&r)&&Ne(e);return o&&(a||t>=o.left&&t<=o.right)&&(r||n>=o.top&&n<=o.bottom)}Z._set("global",{elements:{rectangle:{backgroundColor:Fe,borderColor:Fe,borderSkipped:"bottom",borderWidth:0}}});var $e=pe.extend({_type:"rectangle",draw:function(){var e=this._chart.ctx,t=this._view,n=je(t),a=n.outer,r=n.inner;e.fillStyle=t.backgroundColor,e.fillRect(a.x,a.y,a.w,a.h),a.w===r.w&&a.h===r.h||(e.save(),e.beginPath(),e.rect(a.x,a.y,a.w,a.h),e.clip(),e.fillStyle=t.borderColor,e.rect(r.x,r.y,r.w,r.h),e.fill("evenodd"),e.restore())},height:function(){var e=this._view;return e.base-e.y},inRange:function(e,t){return Ue(this._view,e,t)},inLabelRange:function(e,t){var n=this._view;return Re(n)?Ue(n,e,null):Ue(n,null,t)},inXRange:function(e){return Ue(this._view,e,null)},inYRange:function(e){return Ue(this._view,null,e)},getCenterPoint:function(){var e,t,n=this._view;return Re(n)?(e=n.x,t=(n.y+n.base)/2):(e=(n.x+n.base)/2,t=n.y),{x:e,y:t}},getArea:function(){var e=this._view;return Re(e)?e.width*Math.abs(e.y-e.base):e.height*Math.abs(e.x-e.base)},tooltipPosition:function(){var e=this._view;return{x:e.x,y:e.y}}}),We={},Ge=Ee,qe=Se,Xe=De,Ke=$e;We.Arc=Ge,We.Line=qe,We.Point=Xe,We.Rectangle=Ke;var Je=ie._deprecated,Ze=ie.valueOrDefault;function Qe(e,t){var n,a,r,o,i=e._length;for(r=1,o=t.length;r0?Math.min(i,Math.abs(a-n)):i,n=a;return i}function et(e,t,n){var a,r,o=n.barThickness,i=t.stackCount,s=t.pixels[e],l=ie.isNullOrUndef(o)?Qe(t.scale,t.pixels):-1;return ie.isNullOrUndef(o)?(a=l*n.categoryPercentage,r=n.barPercentage):(a=o*i,r=1),{chunk:a/i,ratio:r,start:s-a/2}}function tt(e,t,n){var a,r=t.pixels,o=r[e],i=e>0?r[e-1]:null,s=e=0&&v.min>=0?v.min:v.max,I=void 0===v.start?v.end:v.max>=0&&v.min>=0?v.max-v.min:v.min-v.max,M=m.length;if(_||void 0===_&&void 0!==b)for(a=0;a=0&&c.max>=0?c.max:c.min,(v.min<0&&o<0||v.max>=0&&o>0)&&(y+=o));return i=h.getPixelForValue(y),l=(s=h.getPixelForValue(y+I))-i,void 0!==g&&Math.abs(l)=0&&!f||I<0&&f?i-g:i+g),{size:l,base:i,head:s,center:s+l/2}},calculateBarIndexPixels:function(e,t,n,a){var r=this,o="flex"===a.barThickness?tt(t,n,a):et(t,n,a),i=r.getStackIndex(e,r.getMeta().stack),s=o.start+o.chunk*i+o.chunk/2,l=Math.min(Ze(a.maxBarThickness,1/0),o.chunk*o.ratio);return{base:s-l/2,head:s+l/2,center:s,size:l}},draw:function(){var e=this,t=e.chart,n=e._getValueScale(),a=e.getMeta().data,r=e.getDataset(),o=a.length,i=0;for(ie.canvas.clipArea(t.ctx,t.chartArea);i=st?-lt:_<-st?lt:0)+v,y=Math.cos(_),I=Math.sin(_),M=Math.cos(b),w=Math.sin(b),B=_<=0&&b>=0||b>=lt,k=_<=ct&&b>=ct||b>=lt+ct,T=_<=-ct&&b>=-ct||b>=st+ct,P=_===-st||b>=st?-1:Math.min(y,y*m,M,M*m),E=T?-1:Math.min(I,I*m,w,w*m),x=B?1:Math.max(y,y*m,M,M*m),O=k?1:Math.max(I,I*m,w,w*m);c=(x-P)/2,u=(O-E)/2,d=-(x+P)/2,h=-(O+E)/2}for(a=0,r=p.length;a0&&!isNaN(e)?lt*(Math.abs(e)/t):0},getMaxBorderWidth:function(e){var t,n,a,r,o,i,s,l,c=this,u=0,d=c.chart;if(!e)for(t=0,n=d.data.datasets.length;t(u=s>u?s:u)?l:u);return u},setHoverStyle:function(e){var t=e._model,n=e._options,a=ie.getHoverColor;e.$previousStyle={backgroundColor:t.backgroundColor,borderColor:t.borderColor,borderWidth:t.borderWidth},t.backgroundColor=it(n.hoverBackgroundColor,a(n.backgroundColor)),t.borderColor=it(n.hoverBorderColor,a(n.borderColor)),t.borderWidth=it(n.hoverBorderWidth,n.borderWidth)},_getRingWeightOffset:function(e){for(var t=0,n=0;n0&&pt(c[e-1]._model,l)&&(n.controlPointPreviousX=u(n.controlPointPreviousX,l.left,l.right),n.controlPointPreviousY=u(n.controlPointPreviousY,l.top,l.bottom)),e0&&(o=e.getDatasetMeta(o[0]._datasetIndex).data),o},"x-axis":function(e,t){return Ot(e,t,{intersect:!1})},point:function(e,t){return Pt(e,kt(t,e))},nearest:function(e,t,n){var a=kt(t,e);n.axis=n.axis||"xy";var r=xt(n.axis);return Et(e,a,n.intersect,r)},x:function(e,t,n){var a=kt(t,e),r=[],o=!1;return Tt(e,(function(e){e.inXRange(a.x)&&r.push(e),e.inRange(a.x,a.y)&&(o=!0)})),n.intersect&&!o&&(r=[]),r},y:function(e,t,n){var a=kt(t,e),r=[],o=!1;return Tt(e,(function(e){e.inYRange(a.y)&&r.push(e),e.inRange(a.x,a.y)&&(o=!0)})),n.intersect&&!o&&(r=[]),r}}},At=ie.extend;function Lt(e,t){return ie.where(e,(function(e){return e.pos===t}))}function Ct(e,t){return e.sort((function(e,n){var a=t?n:e,r=t?e:n;return a.weight===r.weight?a.index-r.index:a.weight-r.weight}))}function zt(e){var t,n,a,r=[];for(t=0,n=(e||[]).length;t div {\r\n\tposition: absolute;\r\n\twidth: 1000000px;\r\n\theight: 1000000px;\r\n\tleft: 0;\r\n\ttop: 0;\r\n}\r\n\r\n.chartjs-size-monitor-shrink > div {\r\n\tposition: absolute;\r\n\twidth: 200%;\r\n\theight: 200%;\r\n\tleft: 0;\r\n\ttop: 0;\r\n}\r\n",Gt=n(Object.freeze({__proto__:null,default:Wt})),qt="$chartjs",Xt="chartjs-",Kt=Xt+"size-monitor",Jt=Xt+"render-monitor",Zt=Xt+"render-animation",Qt=["animationstart","webkitAnimationStart"],en={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"};function tn(e,t){var n=ie.getStyle(e,t),a=n&&n.match(/^(\d+)(\.\d+)?px$/);return a?Number(a[1]):void 0}function nn(e,t){var n=e.style,a=e.getAttribute("height"),r=e.getAttribute("width");if(e[qt]={initial:{height:a,width:r,style:{display:n.display,height:n.height,width:n.width}}},n.display=n.display||"block",null===r||""===r){var o=tn(e,"width");void 0!==o&&(e.width=o)}if(null===a||""===a)if(""===e.style.height)e.height=e.width/(t.options.aspectRatio||2);else{var i=tn(e,"height");void 0!==o&&(e.height=i)}return e}var an=!!function(){var e=!1;try{var t=Object.defineProperty({},"passive",{get:function(){e=!0}});window.addEventListener("e",null,t)}catch(e){}return e}()&&{passive:!0};function rn(e,t,n){e.addEventListener(t,n,an)}function on(e,t,n){e.removeEventListener(t,n,an)}function sn(e,t,n,a,r){return{type:e,chart:t,native:r||null,x:void 0!==n?n:null,y:void 0!==a?a:null}}function ln(e,t){var n=en[e.type]||e.type,a=ie.getRelativePosition(e,t);return sn(n,t,a.x,a.y,e)}function cn(e,t){var n=!1,a=[];return function(){a=Array.prototype.slice.call(arguments),t=t||this,n||(n=!0,ie.requestAnimFrame.call(window,(function(){n=!1,e.apply(t,a)})))}}function un(e){var t=document.createElement("div");return t.className=e||"",t}function dn(e){var t=1e6,n=un(Kt),a=un(Kt+"-expand"),r=un(Kt+"-shrink");a.appendChild(un()),r.appendChild(un()),n.appendChild(a),n.appendChild(r),n._reset=function(){a.scrollLeft=t,a.scrollTop=t,r.scrollLeft=t,r.scrollTop=t};var o=function(){n._reset(),e()};return rn(a,"scroll",o.bind(a,"expand")),rn(r,"scroll",o.bind(r,"shrink")),n}function hn(e,t){var n=e[qt]||(e[qt]={}),a=n.renderProxy=function(e){e.animationName===Zt&&t()};ie.each(Qt,(function(t){rn(e,t,a)})),n.reflow=!!e.offsetParent,e.classList.add(Jt)}function fn(e){var t=e[qt]||{},n=t.renderProxy;n&&(ie.each(Qt,(function(t){on(e,t,n)})),delete t.renderProxy),e.classList.remove(Jt)}function pn(e,t,n){var a=e[qt]||(e[qt]={}),r=a.resizer=dn(cn((function(){if(a.resizer){var r=n.options.maintainAspectRatio&&e.parentNode,o=r?r.clientWidth:0;t(sn("resize",n)),r&&r.clientWidth0){var o=e[0];o.label?n=o.label:o.xLabel?n=o.xLabel:r>0&&o.index-1?e.split("\n"):e}function Pn(e){var t=e._xScale,n=e._yScale||e._scale,a=e._index,r=e._datasetIndex,o=e._chart.getDatasetMeta(r).controller,i=o._getIndexScale(),s=o._getValueScale();return{xLabel:t?t.getLabelForIndex(a,r):"",yLabel:n?n.getLabelForIndex(a,r):"",label:i?""+i.getLabelForIndex(a,r):"",value:s?""+s.getLabelForIndex(a,r):"",index:a,datasetIndex:r,x:e._model.x,y:e._model.y}}function En(e){var t=Z.global;return{xPadding:e.xPadding,yPadding:e.yPadding,xAlign:e.xAlign,yAlign:e.yAlign,rtl:e.rtl,textDirection:e.textDirection,bodyFontColor:e.bodyFontColor,_bodyFontFamily:Mn(e.bodyFontFamily,t.defaultFontFamily),_bodyFontStyle:Mn(e.bodyFontStyle,t.defaultFontStyle),_bodyAlign:e.bodyAlign,bodyFontSize:Mn(e.bodyFontSize,t.defaultFontSize),bodySpacing:e.bodySpacing,titleFontColor:e.titleFontColor,_titleFontFamily:Mn(e.titleFontFamily,t.defaultFontFamily),_titleFontStyle:Mn(e.titleFontStyle,t.defaultFontStyle),titleFontSize:Mn(e.titleFontSize,t.defaultFontSize),_titleAlign:e.titleAlign,titleSpacing:e.titleSpacing,titleMarginBottom:e.titleMarginBottom,footerFontColor:e.footerFontColor,_footerFontFamily:Mn(e.footerFontFamily,t.defaultFontFamily),_footerFontStyle:Mn(e.footerFontStyle,t.defaultFontStyle),footerFontSize:Mn(e.footerFontSize,t.defaultFontSize),_footerAlign:e.footerAlign,footerSpacing:e.footerSpacing,footerMarginTop:e.footerMarginTop,caretSize:e.caretSize,cornerRadius:e.cornerRadius,backgroundColor:e.backgroundColor,opacity:0,legendColorBackground:e.multiKeyBackground,displayColors:e.displayColors,borderColor:e.borderColor,borderWidth:e.borderWidth}}function xn(e,t){var n=e._chart.ctx,a=2*t.yPadding,r=0,o=t.body,i=o.reduce((function(e,t){return e+t.before.length+t.lines.length+t.after.length}),0);i+=t.beforeBody.length+t.afterBody.length;var s=t.title.length,l=t.footer.length,c=t.titleFontSize,u=t.bodyFontSize,d=t.footerFontSize;a+=s*c,a+=s?(s-1)*t.titleSpacing:0,a+=s?t.titleMarginBottom:0,a+=i*u,a+=i?(i-1)*t.bodySpacing:0,a+=l?t.footerMarginTop:0,a+=l*d,a+=l?(l-1)*t.footerSpacing:0;var h=0,f=function(e){r=Math.max(r,n.measureText(e).width+h)};return n.font=ie.fontString(c,t._titleFontStyle,t._titleFontFamily),ie.each(t.title,f),n.font=ie.fontString(u,t._bodyFontStyle,t._bodyFontFamily),ie.each(t.beforeBody.concat(t.afterBody),f),h=t.displayColors?u+2:0,ie.each(o,(function(e){ie.each(e.before,f),ie.each(e.lines,f),ie.each(e.after,f)})),h=0,n.font=ie.fontString(d,t._footerFontStyle,t._footerFontFamily),ie.each(t.footer,f),{width:r+=2*t.xPadding,height:a}}function On(e,t){var n,a,r,o,i,s=e._model,l=e._chart,c=e._chart.chartArea,u="center",d="center";s.yl.height-t.height&&(d="bottom");var h=(c.left+c.right)/2,f=(c.top+c.bottom)/2;"center"===d?(n=function(e){return e<=h},a=function(e){return e>h}):(n=function(e){return e<=t.width/2},a=function(e){return e>=l.width-t.width/2}),r=function(e){return e+t.width+s.caretSize+s.caretPadding>l.width},o=function(e){return e-t.width-s.caretSize-s.caretPadding<0},i=function(e){return e<=f?"top":"bottom"},n(s.x)?(u="left",r(s.x)&&(u="center",d=i(s.y))):a(s.x)&&(u="right",o(s.x)&&(u="center",d=i(s.y)));var p=e._options;return{xAlign:p.xAlign?p.xAlign:u,yAlign:p.yAlign?p.yAlign:d}}function Sn(e,t,n,a){var r=e.x,o=e.y,i=e.caretSize,s=e.caretPadding,l=e.cornerRadius,c=n.xAlign,u=n.yAlign,d=i+s,h=l+s;return"right"===c?r-=t.width:"center"===c&&((r-=t.width/2)+t.width>a.width&&(r=a.width-t.width),r<0&&(r=0)),"top"===u?o+=d:o-="bottom"===u?t.height+d:t.height/2,"center"===u?"left"===c?r+=d:"right"===c&&(r-=d):"left"===c?r-=h:"right"===c&&(r+=h),{x:r,y:o}}function An(e,t){return"center"===t?e.x+e.width/2:"right"===t?e.x+e.width-e.xPadding:e.x+e.xPadding}function Ln(e){return kn([],Tn(e))}var Cn=pe.extend({initialize:function(){this._model=En(this._options),this._lastActive=[]},getTitle:function(){var e=this,t=e._options.callbacks,n=t.beforeTitle.apply(e,arguments),a=t.title.apply(e,arguments),r=t.afterTitle.apply(e,arguments),o=[];return o=kn(o,Tn(n)),o=kn(o,Tn(a)),o=kn(o,Tn(r))},getBeforeBody:function(){return Ln(this._options.callbacks.beforeBody.apply(this,arguments))},getBody:function(e,t){var n=this,a=n._options.callbacks,r=[];return ie.each(e,(function(e){var o={before:[],lines:[],after:[]};kn(o.before,Tn(a.beforeLabel.call(n,e,t))),kn(o.lines,a.label.call(n,e,t)),kn(o.after,Tn(a.afterLabel.call(n,e,t))),r.push(o)})),r},getAfterBody:function(){return Ln(this._options.callbacks.afterBody.apply(this,arguments))},getFooter:function(){var e=this,t=e._options.callbacks,n=t.beforeFooter.apply(e,arguments),a=t.footer.apply(e,arguments),r=t.afterFooter.apply(e,arguments),o=[];return o=kn(o,Tn(n)),o=kn(o,Tn(a)),o=kn(o,Tn(r))},update:function(e){var t,n,a=this,r=a._options,o=a._model,i=a._model=En(r),s=a._active,l=a._data,c={xAlign:o.xAlign,yAlign:o.yAlign},u={x:o.x,y:o.y},d={width:o.width,height:o.height},h={x:o.caretX,y:o.caretY};if(s.length){i.opacity=1;var f=[],p=[];h=Bn[r.position].call(a,s,a._eventPosition);var m=[];for(t=0,n=s.length;t0&&n.stroke()},draw:function(){var e=this._chart.ctx,t=this._view;if(0!==t.opacity){var n={width:t.width,height:t.height},a={x:t.x,y:t.y},r=Math.abs(t.opacity<.001)?0:t.opacity,o=t.title.length||t.beforeBody.length||t.body.length||t.afterBody.length||t.footer.length;this._options.enabled&&o&&(e.save(),e.globalAlpha=r,this.drawBackground(a,t,e,n),a.y+=t.yPadding,ie.rtl.overrideTextDirection(e,t.textDirection),this.drawTitle(a,t,e),this.drawBody(a,t,e),this.drawFooter(a,t,e),ie.rtl.restoreTextDirection(e,t.textDirection),e.restore())}},handleEvent:function(e){var t=this,n=t._options,a=!1;return t._lastActive=t._lastActive||[],"mouseout"===e.type?t._active=[]:(t._active=t._chart.getElementsAtEventForMode(e,n.mode,n),n.reverse&&t._active.reverse()),(a=!ie.arrayEquals(t._active,t._lastActive))&&(t._lastActive=t._active,(n.enabled||n.custom)&&(t._eventPosition={x:e.x,y:e.y},t.update(!0),t.pivot())),a}}),zn=Bn,Dn=Cn;Dn.positioners=zn;var Fn=ie.valueOrDefault;function Rn(){return ie.merge(Object.create(null),[].slice.call(arguments),{merger:function(e,t,n,a){if("xAxes"===e||"yAxes"===e){var r,o,i,s=n[e].length;for(t[e]||(t[e]=[]),r=0;r=t[e].length&&t[e].push({}),!t[e][r].type||i.type&&i.type!==t[e][r].type?ie.merge(t[e][r],[In.getScaleDefaults(o),i]):ie.merge(t[e][r],i)}else ie._merger(e,t,n,a)}})}function Nn(){return ie.merge(Object.create(null),[].slice.call(arguments),{merger:function(e,t,n,a){var r=t[e]||Object.create(null),o=n[e];"scales"===e?t[e]=Rn(r,o):"scale"===e?t[e]=ie.merge(r,[In.getScaleDefaults(o.type),o]):ie._merger(e,t,n,a)}})}function Hn(e){var t=(e=e||Object.create(null)).data=e.data||{};return t.datasets=t.datasets||[],t.labels=t.labels||[],e.options=Nn(Z.global,Z[e.type],e.options||{}),e}function Vn(e){var t=e.options;ie.each(e.scales,(function(t){Ut.removeBox(e,t)})),t=Nn(Z.global,Z[e.config.type],t),e.options=e.config.options=t,e.ensureScalesHaveIDs(),e.buildOrUpdateScales(),e.tooltip._options=t.tooltips,e.tooltip.initialize()}function Yn(e,t,n){var a,r=function(e){return e.id===a};do{a=t+n++}while(ie.findIndex(e,r)>=0);return a}function jn(e){return"top"===e||"bottom"===e}function Un(e,t){return function(n,a){return n[e]===a[e]?n[t]-a[t]:n[e]-a[e]}}Z._set("global",{elements:{},events:["mousemove","mouseout","click","touchstart","touchmove"],hover:{onHover:null,mode:"nearest",intersect:!0,animationDuration:400},onClick:null,maintainAspectRatio:!0,responsive:!0,responsiveAnimationDuration:0});var $n=function(e,t){return this.construct(e,t),this};ie.extend($n.prototype,{construct:function(e,t){var n=this;t=Hn(t);var a=bn.acquireContext(e,t),r=a&&a.canvas,o=r&&r.height,i=r&&r.width;n.id=ie.uid(),n.ctx=a,n.canvas=r,n.config=t,n.width=i,n.height=o,n.aspectRatio=o?i/o:null,n.options=t.options,n._bufferedRender=!1,n._layers=[],n.chart=n,n.controller=n,$n.instances[n.id]=n,Object.defineProperty(n,"data",{get:function(){return n.config.data},set:function(e){n.config.data=e}}),a&&r?(n.initialize(),n.update()):console.error("Failed to create chart: can't acquire context from the given item")},initialize:function(){var e=this;return yn.notify(e,"beforeInit"),ie.retinaScale(e,e.options.devicePixelRatio),e.bindEvents(),e.options.responsive&&e.resize(!0),e.initToolTip(),yn.notify(e,"afterInit"),e},clear:function(){return ie.canvas.clear(this),this},stop:function(){return ge.cancelAnimation(this),this},resize:function(e){var t=this,n=t.options,a=t.canvas,r=n.maintainAspectRatio&&t.aspectRatio||null,o=Math.max(0,Math.floor(ie.getMaximumWidth(a))),i=Math.max(0,Math.floor(r?o/r:ie.getMaximumHeight(a)));if((t.width!==o||t.height!==i)&&(a.width=t.width=o,a.height=t.height=i,a.style.width=o+"px",a.style.height=i+"px",ie.retinaScale(t,n.devicePixelRatio),!e)){var s={width:o,height:i};yn.notify(t,"resize",[s]),n.onResize&&n.onResize(t,s),t.stop(),t.update({duration:n.responsiveAnimationDuration})}},ensureScalesHaveIDs:function(){var e=this.options,t=e.scales||{},n=e.scale;ie.each(t.xAxes,(function(e,n){e.id||(e.id=Yn(t.xAxes,"x-axis-",n))})),ie.each(t.yAxes,(function(e,n){e.id||(e.id=Yn(t.yAxes,"y-axis-",n))})),n&&(n.id=n.id||"scale")},buildOrUpdateScales:function(){var e=this,t=e.options,n=e.scales||{},a=[],r=Object.keys(n).reduce((function(e,t){return e[t]=!1,e}),{});t.scales&&(a=a.concat((t.scales.xAxes||[]).map((function(e){return{options:e,dtype:"category",dposition:"bottom"}})),(t.scales.yAxes||[]).map((function(e){return{options:e,dtype:"linear",dposition:"left"}})))),t.scale&&a.push({options:t.scale,dtype:"radialLinear",isDefault:!0,dposition:"chartArea"}),ie.each(a,(function(t){var a=t.options,o=a.id,i=Fn(a.type,t.dtype);jn(a.position)!==jn(t.dposition)&&(a.position=t.dposition),r[o]=!0;var s=null;if(o in n&&n[o].type===i)(s=n[o]).options=a,s.ctx=e.ctx,s.chart=e;else{var l=In.getScaleConstructor(i);if(!l)return;s=new l({id:o,type:i,options:a,ctx:e.ctx,chart:e}),n[s.id]=s}s.mergeTicksOptions(),t.isDefault&&(e.scale=s)})),ie.each(r,(function(e,t){e||delete n[t]})),e.scales=n,In.addScalesToLayout(this)},buildOrUpdateControllers:function(){var e,t,n=this,a=[],r=n.data.datasets;for(e=0,t=r.length;e=0;--n)a.drawDataset(t[n],e);yn.notify(a,"afterDatasetsDraw",[e])}},drawDataset:function(e,t){var n=this,a={meta:e,index:e.index,easingValue:t};!1!==yn.notify(n,"beforeDatasetDraw",[a])&&(e.controller.draw(t),yn.notify(n,"afterDatasetDraw",[a]))},_drawTooltip:function(e){var t=this,n=t.tooltip,a={tooltip:n,easingValue:e};!1!==yn.notify(t,"beforeTooltipDraw",[a])&&(n.draw(),yn.notify(t,"afterTooltipDraw",[a]))},getElementAtEvent:function(e){return St.modes.single(this,e)},getElementsAtEvent:function(e){return St.modes.label(this,e,{intersect:!0})},getElementsAtXAxis:function(e){return St.modes["x-axis"](this,e,{intersect:!0})},getElementsAtEventForMode:function(e,t,n){var a=St.modes[t];return"function"==typeof a?a(this,e,n):[]},getDatasetAtEvent:function(e){return St.modes.dataset(this,e,{intersect:!0})},getDatasetMeta:function(e){var t=this,n=t.data.datasets[e];n._meta||(n._meta={});var a=n._meta[t.id];return a||(a=n._meta[t.id]={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null,order:n.order||0,index:e}),a},getVisibleDatasetCount:function(){for(var e=0,t=0,n=this.data.datasets.length;t=0;a--){var r=e[a];if(t(r))return r}},ie.isNumber=function(e){return!isNaN(parseFloat(e))&&isFinite(e)},ie.almostEquals=function(e,t,n){return Math.abs(e-t)=e},ie.max=function(e){return e.reduce((function(e,t){return isNaN(t)?e:Math.max(e,t)}),Number.NEGATIVE_INFINITY)},ie.min=function(e){return e.reduce((function(e,t){return isNaN(t)?e:Math.min(e,t)}),Number.POSITIVE_INFINITY)},ie.sign=Math.sign?function(e){return Math.sign(e)}:function(e){return 0==(e=+e)||isNaN(e)?e:e>0?1:-1},ie.toRadians=function(e){return e*(Math.PI/180)},ie.toDegrees=function(e){return e*(180/Math.PI)},ie._decimalPlaces=function(e){if(ie.isFinite(e)){for(var t=1,n=0;Math.round(e*t)/t!==e;)t*=10,n++;return n}},ie.getAngleFromPoint=function(e,t){var n=t.x-e.x,a=t.y-e.y,r=Math.sqrt(n*n+a*a),o=Math.atan2(a,n);return o<-.5*Math.PI&&(o+=2*Math.PI),{angle:o,distance:r}},ie.distanceBetweenPoints=function(e,t){return Math.sqrt(Math.pow(t.x-e.x,2)+Math.pow(t.y-e.y,2))},ie.aliasPixel=function(e){return e%2==0?0:.5},ie._alignPixel=function(e,t,n){var a=e.currentDevicePixelRatio,r=n/2;return Math.round((t-r)*a)/a+r},ie.splineCurve=function(e,t,n,a){var r=e.skip?t:e,o=t,i=n.skip?t:n,s=Math.sqrt(Math.pow(o.x-r.x,2)+Math.pow(o.y-r.y,2)),l=Math.sqrt(Math.pow(i.x-o.x,2)+Math.pow(i.y-o.y,2)),c=s/(s+l),u=l/(s+l),d=a*(c=isNaN(c)?0:c),h=a*(u=isNaN(u)?0:u);return{previous:{x:o.x-d*(i.x-r.x),y:o.y-d*(i.y-r.y)},next:{x:o.x+h*(i.x-r.x),y:o.y+h*(i.y-r.y)}}},ie.EPSILON=Number.EPSILON||1e-14,ie.splineCurveMonotone=function(e){var t,n,a,r,o,i,s,l,c,u=(e||[]).map((function(e){return{model:e._model,deltaK:0,mK:0}})),d=u.length;for(t=0;t0?u[t-1]:null,(r=t0?u[t-1]:null,r=t=e.length-1?e[0]:e[t+1]:t>=e.length-1?e[e.length-1]:e[t+1]},ie.previousItem=function(e,t,n){return n?t<=0?e[e.length-1]:e[t-1]:t<=0?e[0]:e[t-1]},ie.niceNum=function(e,t){var n=Math.floor(ie.log10(e)),a=e/Math.pow(10,n);return(t?a<1.5?1:a<3?2:a<7?5:10:a<=1?1:a<=2?2:a<=5?5:10)*Math.pow(10,n)},ie.requestAnimFrame="undefined"==typeof window?function(e){e()}:window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(e){return window.setTimeout(e,1e3/60)},ie.getRelativePosition=function(e,t){var n,a,r=e.originalEvent||e,o=e.target||e.srcElement,i=o.getBoundingClientRect(),s=r.touches;s&&s.length>0?(n=s[0].clientX,a=s[0].clientY):(n=r.clientX,a=r.clientY);var l=parseFloat(ie.getStyle(o,"padding-left")),c=parseFloat(ie.getStyle(o,"padding-top")),u=parseFloat(ie.getStyle(o,"padding-right")),d=parseFloat(ie.getStyle(o,"padding-bottom")),h=i.right-i.left-l-u,f=i.bottom-i.top-c-d;return{x:n=Math.round((n-i.left-l)/h*o.width/t.currentDevicePixelRatio),y:a=Math.round((a-i.top-c)/f*o.height/t.currentDevicePixelRatio)}},ie.getConstraintWidth=function(e){return n(e,"max-width","clientWidth")},ie.getConstraintHeight=function(e){return n(e,"max-height","clientHeight")},ie._calculatePadding=function(e,t,n){return(t=ie.getStyle(e,t)).indexOf("%")>-1?n*parseInt(t,10)/100:parseInt(t,10)},ie._getParentNode=function(e){var t=e.parentNode;return t&&"[object ShadowRoot]"===t.toString()&&(t=t.host),t},ie.getMaximumWidth=function(e){var t=ie._getParentNode(e);if(!t)return e.clientWidth;var n=t.clientWidth,a=n-ie._calculatePadding(t,"padding-left",n)-ie._calculatePadding(t,"padding-right",n),r=ie.getConstraintWidth(e);return isNaN(r)?a:Math.min(a,r)},ie.getMaximumHeight=function(e){var t=ie._getParentNode(e);if(!t)return e.clientHeight;var n=t.clientHeight,a=n-ie._calculatePadding(t,"padding-top",n)-ie._calculatePadding(t,"padding-bottom",n),r=ie.getConstraintHeight(e);return isNaN(r)?a:Math.min(a,r)},ie.getStyle=function(e,t){return e.currentStyle?e.currentStyle[t]:document.defaultView.getComputedStyle(e,null).getPropertyValue(t)},ie.retinaScale=function(e,t){var n=e.currentDevicePixelRatio=t||"undefined"!=typeof window&&window.devicePixelRatio||1;if(1!==n){var a=e.canvas,r=e.height,o=e.width;a.height=r*n,a.width=o*n,e.ctx.scale(n,n),a.style.height||a.style.width||(a.style.height=r+"px",a.style.width=o+"px")}},ie.fontString=function(e,t,n){return t+" "+e+"px "+n},ie.longestText=function(e,t,n,a){var r=(a=a||{}).data=a.data||{},o=a.garbageCollect=a.garbageCollect||[];a.font!==t&&(r=a.data={},o=a.garbageCollect=[],a.font=t),e.font=t;var i,s,l,c,u,d=0,h=n.length;for(i=0;in.length){for(i=0;ia&&(a=o),a},ie.numberOfLabelLines=function(e){var t=1;return ie.each(e,(function(e){ie.isArray(e)&&e.length>t&&(t=e.length)})),t},ie.color=D?function(e){return e instanceof CanvasGradient&&(e=Z.global.defaultColor),D(e)}:function(e){return console.error("Color.js not found!"),e},ie.getHoverColor=function(e){return e instanceof CanvasPattern||e instanceof CanvasGradient?e:ie.color(e).saturate(.5).darken(.1).rgbString()}};function qn(){throw new Error("This method is not implemented: either no adapter can be found or an incomplete integration was provided.")}function Xn(e){this.options=e||{}}ie.extend(Xn.prototype,{formats:qn,parse:qn,format:qn,add:qn,diff:qn,startOf:qn,endOf:qn,_create:function(e){return e}}),Xn.override=function(e){ie.extend(Xn.prototype,e)};var Kn={_date:Xn},Jn={formatters:{values:function(e){return ie.isArray(e)?e:""+e},linear:function(e,t,n){var a=n.length>3?n[2]-n[1]:n[1]-n[0];Math.abs(a)>1&&e!==Math.floor(e)&&(a=e-Math.floor(e));var r=ie.log10(Math.abs(a)),o="";if(0!==e)if(Math.max(Math.abs(n[0]),Math.abs(n[n.length-1]))<1e-4){var i=ie.log10(Math.abs(e)),s=Math.floor(i)-Math.floor(r);s=Math.max(Math.min(s,20),0),o=e.toExponential(s)}else{var l=-1*Math.floor(r);l=Math.max(Math.min(l,20),0),o=e.toFixed(l)}else o="0";return o},logarithmic:function(e,t,n){var a=e/Math.pow(10,Math.floor(ie.log10(e)));return 0===e?"0":1===a||2===a||5===a||0===t||t===n.length-1?e.toExponential():""}}},Zn=ie.isArray,Qn=ie.isNullOrUndef,ea=ie.valueOrDefault,ta=ie.valueAtIndexOrDefault;function na(e,t){for(var n=[],a=e.length/t,r=0,o=e.length;rl+c)))return i}function ra(e,t){ie.each(e,(function(e){var n,a=e.gc,r=a.length/2;if(r>t){for(n=0;nc)return o;return Math.max(c,1)}function fa(e){var t,n,a=[];for(t=0,n=e.length;t=h||u<=1||!s.isHorizontal()?s.labelRotation=d:(t=(e=s._getLabelSizes()).widest.width,n=e.highest.height-e.highest.offset,a=Math.min(s.maxWidth,s.chart.width-t),t+6>(r=l.offset?s.maxWidth/u:a/(u-1))&&(r=a/(u-(l.offset?.5:1)),o=s.maxHeight-ia(l.gridLines)-c.padding-sa(l.scaleLabel),i=Math.sqrt(t*t+n*n),f=ie.toDegrees(Math.min(Math.asin(Math.min((e.highest.height+6)/r,1)),Math.asin(Math.min(o/i,1))-Math.asin(n/i))),f=Math.max(d,Math.min(h,f))),s.labelRotation=f)},afterCalculateTickRotation:function(){ie.callback(this.options.afterCalculateTickRotation,[this])},beforeFit:function(){ie.callback(this.options.beforeFit,[this])},fit:function(){var e=this,t=e.minSize={width:0,height:0},n=e.chart,a=e.options,r=a.ticks,o=a.scaleLabel,i=a.gridLines,s=e._isVisible(),l="bottom"===a.position,c=e.isHorizontal();if(c?t.width=e.maxWidth:s&&(t.width=ia(i)+sa(o)),c?s&&(t.height=ia(i)+sa(o)):t.height=e.maxHeight,r.display&&s){var u=ca(r),d=e._getLabelSizes(),h=d.first,f=d.last,p=d.widest,m=d.highest,v=.4*u.minor.lineHeight,g=r.padding;if(c){var _=0!==e.labelRotation,b=ie.toRadians(e.labelRotation),y=Math.cos(b),I=Math.sin(b),M=I*p.width+y*(m.height-(_?m.offset:0))+(_?0:v);t.height=Math.min(e.maxHeight,t.height+M+g);var w,B,k=e.getPixelForTick(0)-e.left,T=e.right-e.getPixelForTick(e.getTicks().length-1);_?(w=l?y*h.width+I*h.offset:I*(h.height-h.offset),B=l?I*(f.height-f.offset):y*f.width+I*f.offset):(w=h.width/2,B=f.width/2),e.paddingLeft=Math.max((w-k)*e.width/(e.width-k),0)+3,e.paddingRight=Math.max((B-T)*e.width/(e.width-T),0)+3}else{var P=r.mirror?0:p.width+g+v;t.width=Math.min(e.maxWidth,t.width+P),e.paddingTop=h.height/2,e.paddingBottom=f.height/2}}e.handleMargins(),c?(e.width=e._length=n.width-e.margins.left-e.margins.right,e.height=t.height):(e.width=t.width,e.height=e._length=n.height-e.margins.top-e.margins.bottom)},handleMargins:function(){var e=this;e.margins&&(e.margins.left=Math.max(e.paddingLeft,e.margins.left),e.margins.top=Math.max(e.paddingTop,e.margins.top),e.margins.right=Math.max(e.paddingRight,e.margins.right),e.margins.bottom=Math.max(e.paddingBottom,e.margins.bottom))},afterFit:function(){ie.callback(this.options.afterFit,[this])},isHorizontal:function(){var e=this.options.position;return"top"===e||"bottom"===e},isFullWidth:function(){return this.options.fullWidth},getRightValue:function(e){if(Qn(e))return NaN;if(("number"==typeof e||e instanceof Number)&&!isFinite(e))return NaN;if(e)if(this.isHorizontal()){if(void 0!==e.x)return this.getRightValue(e.x)}else if(void 0!==e.y)return this.getRightValue(e.y);return e},_convertTicksToLabels:function(e){var t,n,a,r=this;for(r.ticks=e.map((function(e){return e.value})),r.beforeTickToLabelConversion(),t=r.convertTicksToLabels(e)||r.ticks,r.afterTickToLabelConversion(),n=0,a=e.length;na-1?null:t.getPixelForDecimal(e*r+(n?r/2:0))},getPixelForDecimal:function(e){var t=this;return t._reversePixels&&(e=1-e),t._startPixel+e*t._length},getDecimalForPixel:function(e){var t=(e-this._startPixel)/this._length;return this._reversePixels?1-t:t},getBasePixel:function(){return this.getPixelForValue(this.getBaseValue())},getBaseValue:function(){var e=this,t=e.min,n=e.max;return e.beginAtZero?0:t<0&&n<0?n:t>0&&n>0?t:0},_autoSkip:function(e){var t,n,a,r,o=this,i=o.options.ticks,s=o._length,l=i.maxTicksLimit||s/o._tickSize()+1,c=i.major.enabled?fa(e):[],u=c.length,d=c[0],h=c[u-1];if(u>l)return pa(e,c,u/l),ua(e);if(a=ha(c,e,s,l),u>0){for(t=0,n=u-1;t1?(h-d)/(u-1):null,ma(e,a,ie.isNullOrUndef(r)?0:d-r,d),ma(e,a,h,ie.isNullOrUndef(r)?e.length:h+r),ua(e)}return ma(e,a),ua(e)},_tickSize:function(){var e=this,t=e.options.ticks,n=ie.toRadians(e.labelRotation),a=Math.abs(Math.cos(n)),r=Math.abs(Math.sin(n)),o=e._getLabelSizes(),i=t.autoSkipPadding||0,s=o?o.widest.width+i:0,l=o?o.highest.height+i:0;return e.isHorizontal()?l*a>s*r?s/a:l/r:l*r=0&&(i=e),void 0!==o&&(e=n.indexOf(o))>=0&&(s=e),t.minIndex=i,t.maxIndex=s,t.min=n[i],t.max=n[s]},buildTicks:function(){var e=this,t=e._getLabels(),n=e.minIndex,a=e.maxIndex;e.ticks=0===n&&a===t.length-1?t:t.slice(n,a+1)},getLabelForIndex:function(e,t){var n=this,a=n.chart;return a.getDatasetMeta(t).controller._getValueScaleId()===n.id?n.getRightValue(a.data.datasets[t].data[e]):n._getLabels()[e]},_configure:function(){var e=this,t=e.options.offset,n=e.ticks;ga.prototype._configure.call(e),e.isHorizontal()||(e._reversePixels=!e._reversePixels),n&&(e._startValue=e.minIndex-(t?.5:0),e._valueRange=Math.max(n.length-(t?0:1),1))},getPixelForValue:function(e,t,n){var a,r,o,i=this;return _a(t)||_a(n)||(e=i.chart.data.datasets[n].data[t]),_a(e)||(a=i.isHorizontal()?e.x:e.y),(void 0!==a||void 0!==e&&isNaN(t))&&(r=i._getLabels(),e=ie.valueOrDefault(a,e),t=-1!==(o=r.indexOf(e))?o:t,isNaN(t)&&(t=e)),i.getPixelForDecimal((t-i._startValue)/i._valueRange)},getPixelForTick:function(e){var t=this.ticks;return e<0||e>t.length-1?null:this.getPixelForValue(t[e],e+this.minIndex)},getValueForPixel:function(e){var t=this,n=Math.round(t._startValue+t.getDecimalForPixel(e)*t._valueRange);return Math.min(Math.max(n,0),t.ticks.length-1)},getBasePixel:function(){return this.bottom}}),Ia=ba;ya._defaults=Ia;var Ma=ie.noop,wa=ie.isNullOrUndef;function Ba(e,t){var n,a,r,o,i=[],s=1e-14,l=e.stepSize,c=l||1,u=e.maxTicks-1,d=e.min,h=e.max,f=e.precision,p=t.min,m=t.max,v=ie.niceNum((m-p)/u/c)*c;if(vu&&(v=ie.niceNum(o*v/u/c)*c),l||wa(f)?n=Math.pow(10,ie._decimalPlaces(v)):(n=Math.pow(10,f),v=Math.ceil(v*n)/n),a=Math.floor(p/v)*v,r=Math.ceil(m/v)*v,l&&(!wa(d)&&ie.almostWhole(d/v,v/1e3)&&(a=d),!wa(h)&&ie.almostWhole(h/v,v/1e3)&&(r=h)),o=(r-a)/v,o=ie.almostEquals(o,Math.round(o),v/1e3)?Math.round(o):Math.ceil(o),a=Math.round(a*n)/n,r=Math.round(r*n)/n,i.push(wa(d)?a:d);for(var g=1;g0&&a>0&&(e.min=0)}var r=void 0!==t.min||void 0!==t.suggestedMin,o=void 0!==t.max||void 0!==t.suggestedMax;void 0!==t.min?e.min=t.min:void 0!==t.suggestedMin&&(null===e.min?e.min=t.suggestedMin:e.min=Math.min(e.min,t.suggestedMin)),void 0!==t.max?e.max=t.max:void 0!==t.suggestedMax&&(null===e.max?e.max=t.suggestedMax:e.max=Math.max(e.max,t.suggestedMax)),r!==o&&e.min>=e.max&&(r?e.max=e.min+1:e.min=e.max-1),e.min===e.max&&(e.max++,t.beginAtZero||e.min--)},getTickLimit:function(){var e,t=this,n=t.options.ticks,a=n.stepSize,r=n.maxTicksLimit;return a?e=Math.ceil(t.max/a)-Math.floor(t.min/a)+1:(e=t._computeTickLimit(),r=r||11),r&&(e=Math.min(r,e)),e},_computeTickLimit:function(){return Number.POSITIVE_INFINITY},handleDirectionalChanges:Ma,buildTicks:function(){var e=this,t=e.options.ticks,n=e.getTickLimit(),a={maxTicks:n=Math.max(2,n),min:t.min,max:t.max,precision:t.precision,stepSize:ie.valueOrDefault(t.fixedStepSize,t.stepSize)},r=e.ticks=Ba(a,e);e.handleDirectionalChanges(),e.max=ie.max(r),e.min=ie.min(r),t.reverse?(r.reverse(),e.start=e.max,e.end=e.min):(e.start=e.min,e.end=e.max)},convertTicksToLabels:function(){var e=this;e.ticksAsNumbers=e.ticks.slice(),e.zeroLineIndex=e.ticks.indexOf(0),ga.prototype.convertTicksToLabels.call(e)},_configure:function(){var e,t=this,n=t.getTicks(),a=t.min,r=t.max;ga.prototype._configure.call(t),t.options.offset&&n.length&&(a-=e=(r-a)/Math.max(n.length-1,1)/2,r+=e),t._startValue=a,t._endValue=r,t._valueRange=r-a}}),Ta={position:"left",ticks:{callback:Jn.formatters.linear}},Pa=0,Ea=1;function xa(e,t,n){var a=[n.type,void 0===t&&void 0===n.stack?n.index:"",n.stack].join(".");return void 0===e[a]&&(e[a]={pos:[],neg:[]}),e[a]}function Oa(e,t,n,a){var r,o,i=e.options,s=xa(t,i.stacked,n),l=s.pos,c=s.neg,u=a.length;for(r=0;rt.length-1?null:this.getPixelForValue(t[e])}}),La=Ta;Aa._defaults=La;var Ca=ie.valueOrDefault,za=ie.math.log10;function Da(e,t){var n,a,r=[],o=Ca(e.min,Math.pow(10,Math.floor(za(t.min)))),i=Math.floor(za(t.max)),s=Math.ceil(t.max/Math.pow(10,i));0===o?(n=Math.floor(za(t.minNotZero)),a=Math.floor(t.minNotZero/Math.pow(10,n)),r.push(o),o=a*Math.pow(10,n)):(n=Math.floor(za(o)),a=Math.floor(o/Math.pow(10,n)));var l=n<0?Math.pow(10,Math.abs(n)):1;do{r.push(o),10==++a&&(a=1,l=++n>=0?1:l),o=Math.round(a*Math.pow(10,n)*l)/l}while(n=0?e:t}var Na=ga.extend({determineDataLimits:function(){var e,t,n,a,r,o,i=this,s=i.options,l=i.chart,c=l.data.datasets,u=i.isHorizontal();function d(e){return u?e.xAxisID===i.id:e.yAxisID===i.id}i.min=Number.POSITIVE_INFINITY,i.max=Number.NEGATIVE_INFINITY,i.minNotZero=Number.POSITIVE_INFINITY;var h=s.stacked;if(void 0===h)for(e=0;e0){var t=ie.min(e),n=ie.max(e);i.min=Math.min(i.min,t),i.max=Math.max(i.max,n)}}))}else for(e=0;e0?e.minNotZero=e.min:e.max<1?e.minNotZero=Math.pow(10,Math.floor(za(e.max))):e.minNotZero=n)},buildTicks:function(){var e=this,t=e.options.ticks,n=!e.isHorizontal(),a={min:Ra(t.min),max:Ra(t.max)},r=e.ticks=Da(a,e);e.max=ie.max(r),e.min=ie.min(r),t.reverse?(n=!n,e.start=e.max,e.end=e.min):(e.start=e.min,e.end=e.max),n&&r.reverse()},convertTicksToLabels:function(){this.tickValues=this.ticks.slice(),ga.prototype.convertTicksToLabels.call(this)},getLabelForIndex:function(e,t){return this._getScaleLabel(this.chart.data.datasets[t].data[e])},getPixelForTick:function(e){var t=this.tickValues;return e<0||e>t.length-1?null:this.getPixelForValue(t[e])},_getFirstTickValue:function(e){var t=Math.floor(za(e));return Math.floor(e/Math.pow(10,t))*Math.pow(10,t)},_configure:function(){var e=this,t=e.min,n=0;ga.prototype._configure.call(e),0===t&&(t=e._getFirstTickValue(e.minNotZero),n=Ca(e.options.ticks.fontSize,Z.global.defaultFontSize)/e._length),e._startValue=za(t),e._valueOffset=n,e._valueRange=(za(e.max)-za(t))/(1-n)},getPixelForValue:function(e){var t=this,n=0;return(e=+t.getRightValue(e))>t.min&&e>0&&(n=(za(e)-t._startValue)/t._valueRange+t._valueOffset),t.getPixelForDecimal(n)},getValueForPixel:function(e){var t=this,n=t.getDecimalForPixel(e);return 0===n&&0===t.min?0:Math.pow(10,t._startValue+(n-t._valueOffset)*t._valueRange)}}),Ha=Fa;Na._defaults=Ha;var Va=ie.valueOrDefault,Ya=ie.valueAtIndexOrDefault,ja=ie.options.resolve,Ua={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,color:"rgba(0,0,0,0.1)",lineWidth:1,borderDash:[],borderDashOffset:0},gridLines:{circular:!1},ticks:{showLabelBackdrop:!0,backdropColor:"rgba(255,255,255,0.75)",backdropPaddingY:2,backdropPaddingX:2,callback:Jn.formatters.linear},pointLabels:{display:!0,fontSize:10,callback:function(e){return e}}};function $a(e){var t=e.ticks;return t.display&&e.display?Va(t.fontSize,Z.global.defaultFontSize)+2*t.backdropPaddingY:0}function Wa(e,t,n){return ie.isArray(n)?{w:ie.longestText(e,e.font,n),h:n.length*t}:{w:e.measureText(n).width,h:t}}function Ga(e,t,n,a,r){return e===a||e===r?{start:t-n/2,end:t+n/2}:er?{start:t-n,end:t}:{start:t,end:t+n}}function qa(e){var t,n,a,r=ie.options._parseFont(e.options.pointLabels),o={l:0,r:e.width,t:0,b:e.height-e.paddingTop},i={};e.ctx.font=r.string,e._pointLabelSizes=[];var s=e.chart.data.labels.length;for(t=0;to.r&&(o.r=u.end,i.r=l),d.starto.b&&(o.b=d.end,i.b=l)}e.setReductions(e.drawingArea,o,i)}function Xa(e){return 0===e||180===e?"center":e<180?"left":"right"}function Ka(e,t,n,a){var r,o,i=n.y+a/2;if(ie.isArray(t))for(r=0,o=t.length;r270||e<90)&&(n.y-=t.h)}function Za(e){var t=e.ctx,n=e.options,a=n.pointLabels,r=$a(n),o=e.getDistanceFromCenterForValue(n.ticks.reverse?e.min:e.max),i=ie.options._parseFont(a);t.save(),t.font=i.string,t.textBaseline="middle";for(var s=e.chart.data.labels.length-1;s>=0;s--){var l=0===s?r/2:0,c=e.getPointPosition(s,o+l+5),u=Ya(a.fontColor,s,Z.global.defaultFontColor);t.fillStyle=u;var d=e.getIndexAngle(s),h=ie.toDegrees(d);t.textAlign=Xa(h),Ja(h,e._pointLabelSizes[s],c),Ka(t,e.pointLabels[s],c,i.lineHeight)}t.restore()}function Qa(e,t,n,a){var r,o=e.ctx,i=t.circular,s=e.chart.data.labels.length,l=Ya(t.color,a-1),c=Ya(t.lineWidth,a-1);if((i||s)&&l&&c){if(o.save(),o.strokeStyle=l,o.lineWidth=c,o.setLineDash&&(o.setLineDash(t.borderDash||[]),o.lineDashOffset=t.borderDashOffset||0),o.beginPath(),i)o.arc(e.xCenter,e.yCenter,n,0,2*Math.PI);else{r=e.getPointPosition(0,n),o.moveTo(r.x,r.y);for(var u=1;u0&&a>0?n:0)},_drawGrid:function(){var e,t,n,a=this,r=a.ctx,o=a.options,i=o.gridLines,s=o.angleLines,l=Va(s.lineWidth,i.lineWidth),c=Va(s.color,i.color);if(o.pointLabels.display&&Za(a),i.display&&ie.each(a.ticks,(function(e,n){0!==n&&(t=a.getDistanceFromCenterForValue(a.ticksAsNumbers[n]),Qa(a,i,t,n))})),s.display&&l&&c){for(r.save(),r.lineWidth=l,r.strokeStyle=c,r.setLineDash&&(r.setLineDash(ja([s.borderDash,i.borderDash,[]])),r.lineDashOffset=ja([s.borderDashOffset,i.borderDashOffset,0])),e=a.chart.data.labels.length-1;e>=0;e--)t=a.getDistanceFromCenterForValue(o.ticks.reverse?a.min:a.max),n=a.getPointPosition(e,t),r.beginPath(),r.moveTo(a.xCenter,a.yCenter),r.lineTo(n.x,n.y),r.stroke();r.restore()}},_drawLabels:function(){var e=this,t=e.ctx,n=e.options.ticks;if(n.display){var a,r,o=e.getIndexAngle(0),i=ie.options._parseFont(n),s=Va(n.fontColor,Z.global.defaultFontColor);t.save(),t.font=i.string,t.translate(e.xCenter,e.yCenter),t.rotate(o),t.textAlign="center",t.textBaseline="middle",ie.each(e.ticks,(function(o,l){(0!==l||n.reverse)&&(a=e.getDistanceFromCenterForValue(e.ticksAsNumbers[l]),n.showLabelBackdrop&&(r=t.measureText(o).width,t.fillStyle=n.backdropColor,t.fillRect(-r/2-n.backdropPaddingX,-a-i.size/2-n.backdropPaddingY,r+2*n.backdropPaddingX,i.size+2*n.backdropPaddingY)),t.fillStyle=s,t.fillText(o,0,-a))})),t.restore()}},_drawTitle:ie.noop}),nr=Ua;tr._defaults=nr;var ar=ie._deprecated,rr=ie.options.resolve,or=ie.valueOrDefault,ir=Number.MIN_SAFE_INTEGER||-9007199254740991,sr=Number.MAX_SAFE_INTEGER||9007199254740991,lr={millisecond:{common:!0,size:1,steps:1e3},second:{common:!0,size:1e3,steps:60},minute:{common:!0,size:6e4,steps:60},hour:{common:!0,size:36e5,steps:24},day:{common:!0,size:864e5,steps:30},week:{common:!1,size:6048e5,steps:4},month:{common:!0,size:2628e6,steps:12},quarter:{common:!1,size:7884e6,steps:4},year:{common:!0,size:3154e7}},cr=Object.keys(lr);function ur(e,t){return e-t}function dr(e){var t,n,a,r={},o=[];for(t=0,n=e.length;tt&&s=0&&i<=s;){if(r=e[(a=i+s>>1)-1]||null,o=e[a],!r)return{lo:null,hi:o};if(o[t]n))return{lo:r,hi:o};s=a-1}}return{lo:o,hi:null}}function vr(e,t,n,a){var r=mr(e,t,n),o=r.lo?r.hi?r.lo:e[e.length-2]:e[0],i=r.lo?r.hi?r.hi:e[e.length-1]:e[1],s=i[t]-o[t],l=s?(n-o[t])/s:0,c=(i[a]-o[a])*l;return o[a]+c}function gr(e,t){var n=e._adapter,a=e.options.time,r=a.parser,o=r||a.format,i=t;return"function"==typeof r&&(i=r(i)),ie.isFinite(i)||(i="string"==typeof o?n.parse(i,o):n.parse(i)),null!==i?+i:(r||"function"!=typeof o||(i=o(t),ie.isFinite(i)||(i=n.parse(i))),i)}function _r(e,t){if(ie.isNullOrUndef(t))return null;var n=e.options.time,a=gr(e,e.getRightValue(t));return null===a||n.round&&(a=+e._adapter.startOf(a,n.round)),a}function br(e,t,n,a){var r,o,i,s=cr.length;for(r=cr.indexOf(e);r=cr.indexOf(n);o--)if(i=cr[o],lr[i].common&&e._adapter.diff(r,a,i)>=t-1)return i;return cr[n?cr.indexOf(n):0]}function Ir(e){for(var t=cr.indexOf(e)+1,n=cr.length;t1e5*c)throw t+" and "+n+" are too far apart with stepSize of "+c+" "+l;for(r=d;r=0&&(t[o].major=!0);return t}function kr(e,t,n){var a,r,o=[],i={},s=t.length;for(a=0;a1?dr(p).sort(ur):p.sort(ur),h=Math.min(h,p[0]),f=Math.max(f,p[p.length-1])),h=_r(s,hr(u))||h,f=_r(s,fr(u))||f,h=h===sr?+c.startOf(Date.now(),d):h,f=f===ir?+c.endOf(Date.now(),d)+1:f,s.min=Math.min(h,f),s.max=Math.max(h+1,f),s._table=[],s._timestamps={data:p,datasets:m,labels:v}},buildTicks:function(){var e,t,n,a=this,r=a.min,o=a.max,i=a.options,s=i.ticks,l=i.time,c=a._timestamps,u=[],d=a.getLabelCapacity(r),h=s.source,f=i.distribution;for(c="data"===h||"auto"===h&&"series"===f?c.data:"labels"===h?c.labels:Mr(a,r,o,d),"ticks"===i.bounds&&c.length&&(r=c[0],o=c[c.length-1]),r=_r(a,hr(i))||r,o=_r(a,fr(i))||o,e=0,t=c.length;e=r&&n<=o&&u.push(n);return a.min=r,a.max=o,a._unit=l.unit||(s.autoSkip?br(l.minUnit,a.min,a.max,d):yr(a,u.length,l.minUnit,a.min,a.max)),a._majorUnit=s.major.enabled&&"year"!==a._unit?Ir(a._unit):void 0,a._table=pr(a._timestamps.data,r,o,f),a._offsets=wr(a._table,u,r,o,i),s.reverse&&u.reverse(),kr(a,u,a._majorUnit)},getLabelForIndex:function(e,t){var n=this,a=n._adapter,r=n.chart.data,o=n.options.time,i=r.labels&&e=0&&e0?s:1}}),Er=Tr;Pr._defaults=Er;var xr={category:ya,linear:Aa,logarithmic:Na,radialLinear:tr,time:Pr},Or={datetime:"MMM D, YYYY, h:mm:ss a",millisecond:"h:mm:ss.SSS a",second:"h:mm:ss a",minute:"h:mm a",hour:"hA",day:"MMM D",week:"ll",month:"MMM YYYY",quarter:"[Q]Q - YYYY",year:"YYYY"};Kn._date.override("function"==typeof e?{_id:"moment",formats:function(){return Or},parse:function(t,n){return"string"==typeof t&&"string"==typeof n?t=e(t,n):t instanceof e||(t=e(t)),t.isValid()?t.valueOf():null},format:function(t,n){return e(t).format(n)},add:function(t,n,a){return e(t).add(n,a).valueOf()},diff:function(t,n,a){return e(t).diff(e(n),a)},startOf:function(t,n,a){return t=e(t),"isoWeek"===n?t.isoWeekday(a).valueOf():t.startOf(n).valueOf()},endOf:function(t,n){return e(t).endOf(n).valueOf()},_create:function(t){return e(t)}}:{}),Z._set("global",{plugins:{filler:{propagate:!0}}});var Sr={dataset:function(e){var t=e.fill,n=e.chart,a=n.getDatasetMeta(t),r=a&&n.isDatasetVisible(t)&&a.dataset._children||[],o=r.length||0;return o?function(e,t){return t=n)&&a;switch(o){case"bottom":return"start";case"top":return"end";case"zero":return"origin";case"origin":case"start":case"end":return o;default:return!1}}function Lr(e){var t,n=e.el._model||{},a=e.el._scale||{},r=e.fill,o=null;if(isFinite(r))return null;if("start"===r?o=void 0===n.scaleBottom?a.bottom:n.scaleBottom:"end"===r?o=void 0===n.scaleTop?a.top:n.scaleTop:void 0!==n.scaleZero?o=n.scaleZero:a.getBasePixel&&(o=a.getBasePixel()),null!=o){if(void 0!==o.x&&void 0!==o.y)return o;if(ie.isFinite(o))return{x:(t=a.isHorizontal())?o:null,y:t?null:o}}return null}function Cr(e){var t,n,a,r,o,i=e.el._scale,s=i.options,l=i.chart.data.labels.length,c=e.fill,u=[];if(!l)return null;for(t=s.ticks.reverse?i.max:i.min,n=s.ticks.reverse?i.min:i.max,a=i.getPointPositionForValue(0,t),r=0;r0;--o)ie.canvas.lineTo(e,n[o],n[o-1],!0);else for(i=n[0].cx,s=n[0].cy,l=Math.sqrt(Math.pow(n[0].x-i,2)+Math.pow(n[0].y-s,2)),o=r-1;o>0;--o)e.arc(i,s,l,n[o].angle,n[o-1].angle,!0)}}function Hr(e,t,n,a,r,o){var i,s,l,c,u,d,h,f,p=t.length,m=a.spanGaps,v=[],g=[],_=0,b=0;for(e.beginPath(),i=0,s=p;i=0;--n)(t=l[n].$filler)&&t.visible&&(r=(a=t.el)._view,o=a._children||[],i=t.mapper,s=r.backgroundColor||Z.global.defaultColor,i&&s&&o.length&&(ie.canvas.clipArea(c,e.chartArea),Hr(c,o,i,r,s,a._loop),ie.canvas.unclipArea(c)))}},Yr=ie.rtl.getRtlAdapter,jr=ie.noop,Ur=ie.valueOrDefault;function $r(e,t){return e.usePointStyle&&e.boxWidth>t?t:e.boxWidth}Z._set("global",{legend:{display:!0,position:"top",align:"center",fullWidth:!0,reverse:!1,weight:1e3,onClick:function(e,t){var n=t.datasetIndex,a=this.chart,r=a.getDatasetMeta(n);r.hidden=null===r.hidden?!a.data.datasets[n].hidden:null,a.update()},onHover:null,onLeave:null,labels:{boxWidth:40,padding:10,generateLabels:function(e){var t=e.data.datasets,n=e.options.legend||{},a=n.labels&&n.labels.usePointStyle;return e._getSortedDatasetMetas().map((function(n){var r=n.controller.getStyle(a?0:void 0);return{text:t[n.index].label,fillStyle:r.backgroundColor,hidden:!e.isDatasetVisible(n.index),lineCap:r.borderCapStyle,lineDash:r.borderDash,lineDashOffset:r.borderDashOffset,lineJoin:r.borderJoinStyle,lineWidth:r.borderWidth,strokeStyle:r.borderColor,pointStyle:r.pointStyle,rotation:r.rotation,datasetIndex:n.index}}),this)}}},legendCallback:function(e){var t,n,a,r=document.createElement("ul"),o=e.data.datasets;for(r.setAttribute("class",e.id+"-legend"),t=0,n=o.length;tl.width)&&(d+=i+n.padding,u[u.length-(t>0?0:1)]=0),s[t]={left:0,top:0,width:a,height:i},u[u.length-1]+=a+n.padding})),l.height+=d}else{var h=n.padding,f=e.columnWidths=[],p=e.columnHeights=[],m=n.padding,v=0,g=0;ie.each(e.legendItems,(function(e,t){var a=$r(n,i)+i/2+r.measureText(e.text).width;t>0&&g+i+2*h>l.height&&(m+=v+n.padding,f.push(v),p.push(g),v=0,g=0),v=Math.max(v,a),g+=i+h,s[t]={left:0,top:0,width:a,height:i}})),m+=v,f.push(v),p.push(g),l.width+=m}e.width=l.width,e.height=l.height}else e.width=l.width=e.height=l.height=0},afterFit:jr,isHorizontal:function(){return"top"===this.options.position||"bottom"===this.options.position},draw:function(){var e=this,t=e.options,n=t.labels,a=Z.global,r=a.defaultColor,o=a.elements.line,i=e.height,s=e.columnHeights,l=e.width,c=e.lineWidths;if(t.display){var u,d=Yr(t.rtl,e.left,e.minSize.width),h=e.ctx,f=Ur(n.fontColor,a.defaultFontColor),p=ie.options._parseFont(n),m=p.size;h.textAlign=d.textAlign("left"),h.textBaseline="middle",h.lineWidth=.5,h.strokeStyle=f,h.fillStyle=f,h.font=p.string;var v=$r(n,m),g=e.legendHitBoxes,_=function(e,t,a){if(!(isNaN(v)||v<=0)){h.save();var i=Ur(a.lineWidth,o.borderWidth);if(h.fillStyle=Ur(a.fillStyle,r),h.lineCap=Ur(a.lineCap,o.borderCapStyle),h.lineDashOffset=Ur(a.lineDashOffset,o.borderDashOffset),h.lineJoin=Ur(a.lineJoin,o.borderJoinStyle),h.lineWidth=i,h.strokeStyle=Ur(a.strokeStyle,r),h.setLineDash&&h.setLineDash(Ur(a.lineDash,o.borderDash)),n&&n.usePointStyle){var s=v*Math.SQRT2/2,l=d.xPlus(e,v/2),c=t+m/2;ie.canvas.drawPoint(h,a.pointStyle,s,l,c,a.rotation)}else h.fillRect(d.leftForLtr(e,v),t,v,m),0!==i&&h.strokeRect(d.leftForLtr(e,v),t,v,m);h.restore()}},b=function(e,t,n,a){var r=m/2,o=d.xPlus(e,v+r),i=t+r;h.fillText(n.text,o,i),n.hidden&&(h.beginPath(),h.lineWidth=2,h.moveTo(o,i),h.lineTo(d.xPlus(o,a),i),h.stroke())},y=function(e,a){switch(t.align){case"start":return n.padding;case"end":return e-a;default:return(e-a+n.padding)/2}},I=e.isHorizontal();u=I?{x:e.left+y(l,c[0]),y:e.top+n.padding,line:0}:{x:e.left+n.padding,y:e.top+y(i,s[0]),line:0},ie.rtl.overrideTextDirection(e.ctx,t.textDirection);var M=m+n.padding;ie.each(e.legendItems,(function(t,a){var r=h.measureText(t.text).width,o=v+m/2+r,f=u.x,p=u.y;d.setWidth(e.minSize.width),I?a>0&&f+o+n.padding>e.left+e.minSize.width&&(p=u.y+=M,u.line++,f=u.x=e.left+y(l,c[u.line])):a>0&&p+M>e.top+e.minSize.height&&(f=u.x=f+e.columnWidths[u.line]+n.padding,u.line++,p=u.y=e.top+y(i,s[u.line]));var w=d.x(f);_(w,p,t),g[a].left=d.leftForLtr(w,g[a].width),g[a].top=p,b(w,p,t,r),I?u.x+=o+n.padding:u.y+=M})),ie.rtl.restoreTextDirection(e.ctx,t.textDirection)}},_getLegendItemAt:function(e,t){var n,a,r,o=this;if(e>=o.left&&e<=o.right&&t>=o.top&&t<=o.bottom)for(r=o.legendHitBoxes,n=0;n=(a=r[n]).left&&e<=a.left+a.width&&t>=a.top&&t<=a.top+a.height)return o.legendItems[n];return null},handleEvent:function(e){var t,n=this,a=n.options,r="mouseup"===e.type?"click":e.type;if("mousemove"===r){if(!a.onHover&&!a.onLeave)return}else{if("click"!==r)return;if(!a.onClick)return}t=n._getLegendItemAt(e.x,e.y),"click"===r?t&&a.onClick&&a.onClick.call(n,e.native,t):(a.onLeave&&t!==n._hoveredItem&&(n._hoveredItem&&a.onLeave.call(n,e.native,n._hoveredItem),n._hoveredItem=t),a.onHover&&t&&a.onHover.call(n,e.native,t))}});function Gr(e,t){var n=new Wr({ctx:e.ctx,options:t,chart:e});Ut.configure(e,n,t),Ut.addBox(e,n),e.legend=n}var qr={id:"legend",_element:Wr,beforeInit:function(e){var t=e.options.legend;t&&Gr(e,t)},beforeUpdate:function(e){var t=e.options.legend,n=e.legend;t?(ie.mergeIf(t,Z.global.legend),n?(Ut.configure(e,n,t),n.options=t):Gr(e,t)):n&&(Ut.removeBox(e,n),delete e.legend)},afterEvent:function(e,t){var n=e.legend;n&&n.handleEvent(t)}},Xr=ie.noop;Z._set("global",{title:{display:!1,fontStyle:"bold",fullWidth:!0,padding:10,position:"top",text:"",weight:2e3}});var Kr=pe.extend({initialize:function(e){var t=this;ie.extend(t,e),t.legendHitBoxes=[]},beforeUpdate:Xr,update:function(e,t,n){var a=this;return a.beforeUpdate(),a.maxWidth=e,a.maxHeight=t,a.margins=n,a.beforeSetDimensions(),a.setDimensions(),a.afterSetDimensions(),a.beforeBuildLabels(),a.buildLabels(),a.afterBuildLabels(),a.beforeFit(),a.fit(),a.afterFit(),a.afterUpdate(),a.minSize},afterUpdate:Xr,beforeSetDimensions:Xr,setDimensions:function(){var e=this;e.isHorizontal()?(e.width=e.maxWidth,e.left=0,e.right=e.width):(e.height=e.maxHeight,e.top=0,e.bottom=e.height),e.paddingLeft=0,e.paddingTop=0,e.paddingRight=0,e.paddingBottom=0,e.minSize={width:0,height:0}},afterSetDimensions:Xr,beforeBuildLabels:Xr,buildLabels:Xr,afterBuildLabels:Xr,beforeFit:Xr,fit:function(){var e,t=this,n=t.options,a=t.minSize={},r=t.isHorizontal();n.display?(e=(ie.isArray(n.text)?n.text.length:1)*ie.options._parseFont(n).lineHeight+2*n.padding,t.width=a.width=r?t.maxWidth:e,t.height=a.height=r?e:t.maxHeight):t.width=a.width=t.height=a.height=0},afterFit:Xr,isHorizontal:function(){var e=this.options.position;return"top"===e||"bottom"===e},draw:function(){var e=this,t=e.ctx,n=e.options;if(n.display){var a,r,o,i=ie.options._parseFont(n),s=i.lineHeight,l=s/2+n.padding,c=0,u=e.top,d=e.left,h=e.bottom,f=e.right;t.fillStyle=ie.valueOrDefault(n.fontColor,Z.global.defaultFontColor),t.font=i.string,e.isHorizontal()?(r=d+(f-d)/2,o=u+l,a=f-d):(r="left"===n.position?d+l:f-l,o=u+(h-u)/2,a=h-u,c=Math.PI*("left"===n.position?-.5:.5)),t.save(),t.translate(r,o),t.rotate(c),t.textAlign="center",t.textBaseline="middle";var p=n.text;if(ie.isArray(p))for(var m=0,v=0;ve.length)&&(t=e.length);for(var n=0,a=new Array(t);n
',he=Number.isNaN||p.isNaN;function fe(e){return"number"==typeof e&&!he(e)}var pe=function(e){return e>0&&e<1/0};function me(e){return void 0===e}function ve(e){return"object"===n(e)&&null!==e}var ge=Object.prototype.hasOwnProperty;function _e(e){if(!ve(e))return!1;try{var t=e.constructor,n=t.prototype;return t&&n&&ge.call(n,"isPrototypeOf")}catch(e){return!1}}function be(e){return"function"==typeof e}var ye=Array.prototype.slice;function Ie(e){return Array.from?Array.from(e):ye.call(e)}function Me(e,t){return e&&be(t)&&(Array.isArray(e)||fe(e.length)?Ie(e).forEach((function(n,a){t.call(e,n,a,e)})):ve(e)&&Object.keys(e).forEach((function(n){t.call(e,e[n],n,e)}))),e}var we=Object.assign||function(e){for(var t=arguments.length,n=new Array(t>1?t-1:0),a=1;a0&&n.forEach((function(t){ve(t)&&Object.keys(t).forEach((function(n){e[n]=t[n]}))})),e},Be=/\.\d*(?:0|9){12}\d*$/;function ke(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1e11;return Be.test(e)?Math.round(e*t)/t:e}var Te=/^width|height|left|top|marginLeft|marginTop$/;function Pe(e,t){var n=e.style;Me(t,(function(e,t){Te.test(t)&&fe(e)&&(e="".concat(e,"px")),n[t]=e}))}function Ee(e,t){return e.classList?e.classList.contains(t):e.className.indexOf(t)>-1}function xe(e,t){if(t)if(fe(e.length))Me(e,(function(e){xe(e,t)}));else if(e.classList)e.classList.add(t);else{var n=e.className.trim();n?n.indexOf(t)<0&&(e.className="".concat(n," ").concat(t)):e.className=t}}function Oe(e,t){t&&(fe(e.length)?Me(e,(function(e){Oe(e,t)})):e.classList?e.classList.remove(t):e.className.indexOf(t)>=0&&(e.className=e.className.replace(t,"")))}function Se(e,t,n){t&&(fe(e.length)?Me(e,(function(e){Se(e,t,n)})):n?xe(e,t):Oe(e,t))}var Ae=/([a-z\d])([A-Z])/g;function Le(e){return e.replace(Ae,"$1-$2").toLowerCase()}function Ce(e,t){return ve(e[t])?e[t]:e.dataset?e.dataset[t]:e.getAttribute("data-".concat(Le(t)))}function ze(e,t,n){ve(n)?e[t]=n:e.dataset?e.dataset[t]=n:e.setAttribute("data-".concat(Le(t)),n)}function De(e,t){if(ve(e[t]))try{delete e[t]}catch(n){e[t]=void 0}else if(e.dataset)try{delete e.dataset[t]}catch(n){e.dataset[t]=void 0}else e.removeAttribute("data-".concat(Le(t)))}var Fe=/\s\s*/,Re=function(){var e=!1;if(f){var t=!1,n=function(){},a=Object.defineProperty({},"once",{get:function(){return e=!0,t},set:function(e){t=e}});p.addEventListener("test",n,a),p.removeEventListener("test",n,a)}return e}();function Ne(e,t,n){var a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=n;t.trim().split(Fe).forEach((function(t){if(!Re){var o=e.listeners;o&&o[t]&&o[t][n]&&(r=o[t][n],delete o[t][n],0===Object.keys(o[t]).length&&delete o[t],0===Object.keys(o).length&&delete e.listeners)}e.removeEventListener(t,r,a)}))}function He(e,t,n){var a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=n;t.trim().split(Fe).forEach((function(t){if(a.once&&!Re){var o=e.listeners,i=void 0===o?{}:o;r=function(){delete i[t][n],e.removeEventListener(t,r,a);for(var o=arguments.length,s=new Array(o),l=0;lMath.abs(a)&&(a=l)}))})),a}function Xe(e,n){var a=e.pageX,r=e.pageY,o={endX:a,endY:r};return n?o:t({startX:a,startY:r},o)}function Ke(e){var t=0,n=0,a=0;return Me(e,(function(e){var r=e.startX,o=e.startY;t+=r,n+=o,a+=1})),{pageX:t/=a,pageY:n/=a}}function Je(e){var t=e.aspectRatio,n=e.height,a=e.width,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"contain",o=pe(a),i=pe(n);if(o&&i){var s=n*t;"contain"===r&&s>a||"cover"===r&&s90?{width:l,height:s}:{width:s,height:l}}function Qe(e,t,n,a){var r=t.aspectRatio,o=t.naturalWidth,i=t.naturalHeight,l=t.rotate,c=void 0===l?0:l,u=t.scaleX,d=void 0===u?1:u,h=t.scaleY,f=void 0===h?1:h,p=n.aspectRatio,m=n.naturalWidth,v=n.naturalHeight,g=a.fillColor,_=void 0===g?"transparent":g,b=a.imageSmoothingEnabled,y=void 0===b||b,I=a.imageSmoothingQuality,M=void 0===I?"low":I,w=a.maxWidth,B=void 0===w?1/0:w,k=a.maxHeight,T=void 0===k?1/0:k,P=a.minWidth,E=void 0===P?0:P,x=a.minHeight,O=void 0===x?0:x,S=document.createElement("canvas"),A=S.getContext("2d"),L=Je({aspectRatio:p,width:B,height:T}),C=Je({aspectRatio:p,width:E,height:O},"cover"),z=Math.min(L.width,Math.max(C.width,m)),D=Math.min(L.height,Math.max(C.height,v)),F=Je({aspectRatio:r,width:B,height:T}),R=Je({aspectRatio:r,width:E,height:O},"cover"),N=Math.min(F.width,Math.max(R.width,o)),H=Math.min(F.height,Math.max(R.height,i)),V=[-N/2,-H/2,N,H];return S.width=ke(z),S.height=ke(D),A.fillStyle=_,A.fillRect(0,0,z,D),A.save(),A.translate(z/2,D/2),A.rotate(c*Math.PI/180),A.scale(d,f),A.imageSmoothingEnabled=y,A.imageSmoothingQuality=M,A.drawImage.apply(A,[e].concat(s(V.map((function(e){return Math.floor(ke(e))}))))),A.restore(),S}var et=String.fromCharCode;function tt(e,t,n){var a="";n+=t;for(var r=t;r0;)n.push(et.apply(null,Ie(r.subarray(0,a)))),r=r.subarray(a);return"data:".concat(t,";base64,").concat(btoa(n.join("")))}function ot(e){var t,n=new DataView(e);try{var a,r,o;if(255===n.getUint8(0)&&216===n.getUint8(1))for(var i=n.byteLength,s=2;s+1=8&&(o=l+u)}}}if(o){var d,h,f=n.getUint16(o,a);for(h=0;h=0?r:le),height:Math.max(n.offsetHeight,o>=0?o:ce)};this.containerData=i,Pe(a,{width:i.width,height:i.height}),xe(e,A),Oe(a,A)},initCanvas:function(){var e=this.containerData,t=this.imageData,n=this.options.viewMode,a=Math.abs(t.rotate)%180==90,r=a?t.naturalHeight:t.naturalWidth,o=a?t.naturalWidth:t.naturalHeight,i=r/o,s=e.width,l=e.height;e.height*i>e.width?3===n?s=e.height*i:l=e.width/i:3===n?l=e.width/i:s=e.height*i;var c={aspectRatio:i,naturalWidth:r,naturalHeight:o,width:s,height:l};this.canvasData=c,this.limited=1===n||2===n,this.limitCanvas(!0,!0),c.width=Math.min(Math.max(c.width,c.minWidth),c.maxWidth),c.height=Math.min(Math.max(c.height,c.minHeight),c.maxHeight),c.left=(e.width-c.width)/2,c.top=(e.height-c.height)/2,c.oldLeft=c.left,c.oldTop=c.top,this.initialCanvasData=we({},c)},limitCanvas:function(e,t){var n=this.options,a=this.containerData,r=this.canvasData,o=this.cropBoxData,i=n.viewMode,s=r.aspectRatio,l=this.cropped&&o;if(e){var c=Number(n.minCanvasWidth)||0,u=Number(n.minCanvasHeight)||0;i>1?(c=Math.max(c,a.width),u=Math.max(u,a.height),3===i&&(u*s>c?c=u*s:u=c/s)):i>0&&(c?c=Math.max(c,l?o.width:0):u?u=Math.max(u,l?o.height:0):l&&(c=o.width,(u=o.height)*s>c?c=u*s:u=c/s));var d=Je({aspectRatio:s,width:c,height:u});c=d.width,u=d.height,r.minWidth=c,r.minHeight=u,r.maxWidth=1/0,r.maxHeight=1/0}if(t)if(i>(l?0:1)){var h=a.width-r.width,f=a.height-r.height;r.minLeft=Math.min(0,h),r.minTop=Math.min(0,f),r.maxLeft=Math.max(0,h),r.maxTop=Math.max(0,f),l&&this.limited&&(r.minLeft=Math.min(o.left,o.left+(o.width-r.width)),r.minTop=Math.min(o.top,o.top+(o.height-r.height)),r.maxLeft=o.left,r.maxTop=o.top,2===i&&(r.width>=a.width&&(r.minLeft=Math.min(0,h),r.maxLeft=Math.max(0,h)),r.height>=a.height&&(r.minTop=Math.min(0,f),r.maxTop=Math.max(0,f))))}else r.minLeft=-r.width,r.minTop=-r.height,r.maxLeft=a.width,r.maxTop=a.height},renderCanvas:function(e,t){var n=this.canvasData,a=this.imageData;if(t){var r=Ze({width:a.naturalWidth*Math.abs(a.scaleX||1),height:a.naturalHeight*Math.abs(a.scaleY||1),degree:a.rotate||0}),o=r.width,i=r.height,s=n.width*(o/n.naturalWidth),l=n.height*(i/n.naturalHeight);n.left-=(s-n.width)/2,n.top-=(l-n.height)/2,n.width=s,n.height=l,n.aspectRatio=o/i,n.naturalWidth=o,n.naturalHeight=i,this.limitCanvas(!0,!1)}(n.width>n.maxWidth||n.widthn.maxHeight||n.heightt.width?r.height=r.width/n:r.width=r.height*n),this.cropBoxData=r,this.limitCropBox(!0,!0),r.width=Math.min(Math.max(r.width,r.minWidth),r.maxWidth),r.height=Math.min(Math.max(r.height,r.minHeight),r.maxHeight),r.width=Math.max(r.minWidth,r.width*a),r.height=Math.max(r.minHeight,r.height*a),r.left=t.left+(t.width-r.width)/2,r.top=t.top+(t.height-r.height)/2,r.oldLeft=r.left,r.oldTop=r.top,this.initialCropBoxData=we({},r)},limitCropBox:function(e,t){var n=this.options,a=this.containerData,r=this.canvasData,o=this.cropBoxData,i=this.limited,s=n.aspectRatio;if(e){var l=Number(n.minCropBoxWidth)||0,c=Number(n.minCropBoxHeight)||0,u=i?Math.min(a.width,r.width,r.width+r.left,a.width-r.left):a.width,d=i?Math.min(a.height,r.height,r.height+r.top,a.height-r.top):a.height;l=Math.min(l,a.width),c=Math.min(c,a.height),s&&(l&&c?c*s>l?c=l/s:l=c*s:l?c=l/s:c&&(l=c*s),d*s>u?d=u/s:u=d*s),o.minWidth=Math.min(l,u),o.minHeight=Math.min(c,d),o.maxWidth=u,o.maxHeight=d}t&&(i?(o.minLeft=Math.max(0,r.left),o.minTop=Math.max(0,r.top),o.maxLeft=Math.min(a.width,r.left+r.width)-o.width,o.maxTop=Math.min(a.height,r.top+r.height)-o.height):(o.minLeft=0,o.minTop=0,o.maxLeft=a.width-o.width,o.maxTop=a.height-o.height))},renderCropBox:function(){var e=this.options,t=this.containerData,n=this.cropBoxData;(n.width>n.maxWidth||n.widthn.maxHeight||n.height=t.width&&n.height>=t.height?y:_),Pe(this.cropBox,we({width:n.width,height:n.height},Ge({translateX:n.left,translateY:n.top}))),this.cropped&&this.limited&&this.limitCanvas(!0,!0),this.disabled||this.output()},output:function(){this.preview(),Ve(this.element,Y,this.getData())}},lt={initPreview:function(){var e=this.element,t=this.crossOrigin,n=this.options.preview,a=t?this.crossOriginUrl:this.url,r=e.alt||"The image to preview",o=document.createElement("img");if(t&&(o.crossOrigin=t),o.src=a,o.alt=r,this.viewBox.appendChild(o),this.viewBoxImage=o,n){var i=n;"string"==typeof n?i=e.ownerDocument.querySelectorAll(n):n.querySelector&&(i=[n]),this.previews=i,Me(i,(function(e){var n=document.createElement("img");ze(e,R,{width:e.offsetWidth,height:e.offsetHeight,html:e.innerHTML}),t&&(n.crossOrigin=t),n.src=a,n.alt=r,n.style.cssText='display:block;width:100%;height:auto;min-width:0!important;min-height:0!important;max-width:none!important;max-height:none!important;image-orientation:0deg!important;"',e.innerHTML="",e.appendChild(n)}))}},resetPreview:function(){Me(this.previews,(function(e){var t=Ce(e,R);Pe(e,{width:t.width,height:t.height}),e.innerHTML=t.html,De(e,R)}))},preview:function(){var e=this.imageData,t=this.canvasData,n=this.cropBoxData,a=n.width,r=n.height,o=e.width,i=e.height,s=n.left-t.left-e.left,l=n.top-t.top-e.top;this.cropped&&!this.disabled&&(Pe(this.viewBoxImage,we({width:o,height:i},Ge(we({translateX:-s,translateY:-l},e)))),Me(this.previews,(function(t){var n=Ce(t,R),c=n.width,u=n.height,d=c,h=u,f=1;a&&(h=r*(f=c/a)),r&&h>u&&(d=a*(f=u/r),h=u),Pe(t,{width:d,height:h}),Pe(t.getElementsByTagName("img")[0],we({width:o*f,height:i*f},Ge(we({translateX:-s*f,translateY:-l*f},e))))})))}},ct={bind:function(){var e=this.element,t=this.options,n=this.cropper;be(t.cropstart)&&He(e,$,t.cropstart),be(t.cropmove)&&He(e,U,t.cropmove),be(t.cropend)&&He(e,j,t.cropend),be(t.crop)&&He(e,Y,t.crop),be(t.zoom)&&He(e,ne,t.zoom),He(n,K,this.onCropStart=this.cropStart.bind(this)),t.zoomable&&t.zoomOnWheel&&He(n,te,this.onWheel=this.wheel.bind(this),{passive:!1,capture:!0}),t.toggleDragModeOnDblclick&&He(n,W,this.onDblclick=this.dblclick.bind(this)),He(e.ownerDocument,J,this.onCropMove=this.cropMove.bind(this)),He(e.ownerDocument,Z,this.onCropEnd=this.cropEnd.bind(this)),t.responsive&&He(window,ee,this.onResize=this.resize.bind(this))},unbind:function(){var e=this.element,t=this.options,n=this.cropper;be(t.cropstart)&&Ne(e,$,t.cropstart),be(t.cropmove)&&Ne(e,U,t.cropmove),be(t.cropend)&&Ne(e,j,t.cropend),be(t.crop)&&Ne(e,Y,t.crop),be(t.zoom)&&Ne(e,ne,t.zoom),Ne(n,K,this.onCropStart),t.zoomable&&t.zoomOnWheel&&Ne(n,te,this.onWheel,{passive:!1,capture:!0}),t.toggleDragModeOnDblclick&&Ne(n,W,this.onDblclick),Ne(e.ownerDocument,J,this.onCropMove),Ne(e.ownerDocument,Z,this.onCropEnd),t.responsive&&Ne(window,ee,this.onResize)}},ut={resize:function(){if(!this.disabled){var e,t,n=this.options,a=this.container,r=this.containerData,o=a.offsetWidth/r.width,i=a.offsetHeight/r.height,s=Math.abs(o-1)>Math.abs(i-1)?o:i;1!==s&&(n.restore&&(e=this.getCanvasData(),t=this.getCropBoxData()),this.render(),n.restore&&(this.setCanvasData(Me(e,(function(t,n){e[n]=t*s}))),this.setCropBoxData(Me(t,(function(e,n){t[n]=e*s})))))}},dblclick:function(){this.disabled||this.options.dragMode===V||this.setDragMode(Ee(this.dragBox,O)?H:N)},wheel:function(e){var t=this,n=Number(this.options.wheelZoomRatio)||.1,a=1;this.disabled||(e.preventDefault(),this.wheeling||(this.wheeling=!0,setTimeout((function(){t.wheeling=!1}),50),e.deltaY?a=e.deltaY>0?1:-1:e.wheelDelta?a=-e.wheelDelta/120:e.detail&&(a=e.detail>0?1:-1),this.zoom(-a*n,e)))},cropStart:function(e){var t=e.buttons,n=e.button;if(!(this.disabled||("mousedown"===e.type||"pointerdown"===e.type&&"mouse"===e.pointerType)&&(fe(t)&&1!==t||fe(n)&&0!==n||e.ctrlKey))){var a,r=this.options,o=this.pointers;e.changedTouches?Me(e.changedTouches,(function(e){o[e.identifier]=Xe(e)})):o[e.pointerId||0]=Xe(e),a=Object.keys(o).length>1&&r.zoomable&&r.zoomOnTouch?I:Ce(e.target,F),re.test(a)&&!1!==Ve(this.element,$,{originalEvent:e,action:a})&&(e.preventDefault(),this.action=a,this.cropping=!1,a===b&&(this.cropping=!0,xe(this.dragBox,z)))}},cropMove:function(e){var t=this.action;if(!this.disabled&&t){var n=this.pointers;e.preventDefault(),!1!==Ve(this.element,U,{originalEvent:e,action:t})&&(e.changedTouches?Me(e.changedTouches,(function(e){we(n[e.identifier]||{},Xe(e,!0))})):we(n[e.pointerId||0]||{},Xe(e,!0)),this.change(e))}},cropEnd:function(e){if(!this.disabled){var t=this.action,n=this.pointers;e.changedTouches?Me(e.changedTouches,(function(e){delete n[e.identifier]})):delete n[e.pointerId||0],t&&(e.preventDefault(),Object.keys(n).length||(this.action=""),this.cropping&&(this.cropping=!1,Se(this.dragBox,z,this.cropped&&this.options.modal)),Ve(this.element,j,{originalEvent:e,action:t}))}}},dt={change:function(e){var t,n=this.options,a=this.canvasData,r=this.containerData,o=this.cropBoxData,i=this.pointers,s=this.action,l=n.aspectRatio,c=o.left,u=o.top,d=o.width,h=o.height,f=c+d,p=u+h,m=0,v=0,g=r.width,O=r.height,S=!0;!l&&e.shiftKey&&(l=d&&h?d/h:1),this.limited&&(m=o.minLeft,v=o.minTop,g=m+Math.min(r.width,a.width,a.left+a.width),O=v+Math.min(r.height,a.height,a.top+a.height));var L=i[Object.keys(i)[0]],C={x:L.endX-L.startX,y:L.endY-L.startY},z=function(e){switch(e){case M:f+C.x>g&&(C.x=g-f);break;case w:c+C.xO&&(C.y=O-p)}};switch(s){case _:c+=C.x,u+=C.y;break;case M:if(C.x>=0&&(f>=g||l&&(u<=v||p>=O))){S=!1;break}z(M),(d+=C.x)<0&&(s=w,c-=d=-d),l&&(h=d/l,u+=(o.height-h)/2);break;case k:if(C.y<=0&&(u<=v||l&&(c<=m||f>=g))){S=!1;break}z(k),h-=C.y,u+=C.y,h<0&&(s=B,u-=h=-h),l&&(d=h*l,c+=(o.width-d)/2);break;case w:if(C.x<=0&&(c<=m||l&&(u<=v||p>=O))){S=!1;break}z(w),d-=C.x,c+=C.x,d<0&&(s=M,c-=d=-d),l&&(h=d/l,u+=(o.height-h)/2);break;case B:if(C.y>=0&&(p>=O||l&&(c<=m||f>=g))){S=!1;break}z(B),(h+=C.y)<0&&(s=k,u-=h=-h),l&&(d=h*l,c+=(o.width-d)/2);break;case T:if(l){if(C.y<=0&&(u<=v||f>=g)){S=!1;break}z(k),h-=C.y,u+=C.y,d=h*l}else z(k),z(M),C.x>=0?fv&&(h-=C.y,u+=C.y):(h-=C.y,u+=C.y);d<0&&h<0?(s=x,u-=h=-h,c-=d=-d):d<0?(s=P,c-=d=-d):h<0&&(s=E,u-=h=-h);break;case P:if(l){if(C.y<=0&&(u<=v||c<=m)){S=!1;break}z(k),h-=C.y,u+=C.y,d=h*l,c+=o.width-d}else z(k),z(w),C.x<=0?c>m?(d-=C.x,c+=C.x):C.y<=0&&u<=v&&(S=!1):(d-=C.x,c+=C.x),C.y<=0?u>v&&(h-=C.y,u+=C.y):(h-=C.y,u+=C.y);d<0&&h<0?(s=E,u-=h=-h,c-=d=-d):d<0?(s=T,c-=d=-d):h<0&&(s=x,u-=h=-h);break;case x:if(l){if(C.x<=0&&(c<=m||p>=O)){S=!1;break}z(w),d-=C.x,c+=C.x,h=d/l}else z(B),z(w),C.x<=0?c>m?(d-=C.x,c+=C.x):C.y>=0&&p>=O&&(S=!1):(d-=C.x,c+=C.x),C.y>=0?p=0&&(f>=g||p>=O)){S=!1;break}z(M),h=(d+=C.x)/l}else z(B),z(M),C.x>=0?f=0&&p>=O&&(S=!1):d+=C.x,C.y>=0?p0?s=C.y>0?E:T:C.x<0&&(c-=d,s=C.y>0?x:P),C.y<0&&(u-=h),this.cropped||(Oe(this.cropBox,A),this.cropped=!0,this.limited&&this.limitCropBox(!0,!0))}S&&(o.width=d,o.height=h,o.left=c,o.top=u,this.action=s,this.renderCropBox()),Me(i,(function(e){e.startX=e.endX,e.startY=e.endY}))}},ht={crop:function(){return!this.ready||this.cropped||this.disabled||(this.cropped=!0,this.limitCropBox(!0,!0),this.options.modal&&xe(this.dragBox,z),Oe(this.cropBox,A),this.setCropBoxData(this.initialCropBoxData)),this},reset:function(){return this.ready&&!this.disabled&&(this.imageData=we({},this.initialImageData),this.canvasData=we({},this.initialCanvasData),this.cropBoxData=we({},this.initialCropBoxData),this.renderCanvas(),this.cropped&&this.renderCropBox()),this},clear:function(){return this.cropped&&!this.disabled&&(we(this.cropBoxData,{left:0,top:0,width:0,height:0}),this.cropped=!1,this.renderCropBox(),this.limitCanvas(!0,!0),this.renderCanvas(),Oe(this.dragBox,z),xe(this.cropBox,A)),this},replace:function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return!this.disabled&&e&&(this.isImg&&(this.element.src=e),t?(this.url=e,this.image.src=e,this.ready&&(this.viewBoxImage.src=e,Me(this.previews,(function(t){t.getElementsByTagName("img")[0].src=e})))):(this.isImg&&(this.replaced=!0),this.options.data=null,this.uncreate(),this.load(e))),this},enable:function(){return this.ready&&this.disabled&&(this.disabled=!1,Oe(this.cropper,S)),this},disable:function(){return this.ready&&!this.disabled&&(this.disabled=!0,xe(this.cropper,S)),this},destroy:function(){var e=this.element;return e[g]?(e[g]=void 0,this.isImg&&this.replaced&&(e.src=this.originalUrl),this.uncreate(),this):this},move:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,n=this.canvasData,a=n.left,r=n.top;return this.moveTo(me(e)?e:a+Number(e),me(t)?t:r+Number(t))},moveTo:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,n=this.canvasData,a=!1;return e=Number(e),t=Number(t),this.ready&&!this.disabled&&this.options.movable&&(fe(e)&&(n.left=e,a=!0),fe(t)&&(n.top=t,a=!0),a&&this.renderCanvas(!0)),this},zoom:function(e,t){var n=this.canvasData;return e=(e=Number(e))<0?1/(1-e):1+e,this.zoomTo(n.width*e/n.naturalWidth,null,t)},zoomTo:function(e,t,n){var a=this.options,r=this.canvasData,o=r.width,i=r.height,s=r.naturalWidth,l=r.naturalHeight;if((e=Number(e))>=0&&this.ready&&!this.disabled&&a.zoomable){var c=s*e,u=l*e;if(!1===Ve(this.element,ne,{ratio:e,oldRatio:o/s,originalEvent:n}))return this;if(n){var d=this.pointers,h=Ye(this.cropper),f=d&&Object.keys(d).length?Ke(d):{pageX:n.pageX,pageY:n.pageY};r.left-=(c-o)*((f.pageX-h.left-r.left)/o),r.top-=(u-i)*((f.pageY-h.top-r.top)/i)}else _e(t)&&fe(t.x)&&fe(t.y)?(r.left-=(c-o)*((t.x-r.left)/o),r.top-=(u-i)*((t.y-r.top)/i)):(r.left-=(c-o)/2,r.top-=(u-i)/2);r.width=c,r.height=u,this.renderCanvas(!0)}return this},rotate:function(e){return this.rotateTo((this.imageData.rotate||0)+Number(e))},rotateTo:function(e){return fe(e=Number(e))&&this.ready&&!this.disabled&&this.options.rotatable&&(this.imageData.rotate=e%360,this.renderCanvas(!0,!0)),this},scaleX:function(e){var t=this.imageData.scaleY;return this.scale(e,fe(t)?t:1)},scaleY:function(e){var t=this.imageData.scaleX;return this.scale(fe(t)?t:1,e)},scale:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,n=this.imageData,a=!1;return e=Number(e),t=Number(t),this.ready&&!this.disabled&&this.options.scalable&&(fe(e)&&(n.scaleX=e,a=!0),fe(t)&&(n.scaleY=t,a=!0),a&&this.renderCanvas(!0,!0)),this},getData:function(){var e,t=arguments.length>0&&void 0!==arguments[0]&&arguments[0],n=this.options,a=this.imageData,r=this.canvasData,o=this.cropBoxData;if(this.ready&&this.cropped){e={x:o.left-r.left,y:o.top-r.top,width:o.width,height:o.height};var i=a.width/a.naturalWidth;if(Me(e,(function(t,n){e[n]=t/i})),t){var s=Math.round(e.y+e.height),l=Math.round(e.x+e.width);e.x=Math.round(e.x),e.y=Math.round(e.y),e.width=l-e.x,e.height=s-e.y}}else e={x:0,y:0,width:0,height:0};return n.rotatable&&(e.rotate=a.rotate||0),n.scalable&&(e.scaleX=a.scaleX||1,e.scaleY=a.scaleY||1),e},setData:function(e){var t=this.options,n=this.imageData,a=this.canvasData,r={};if(this.ready&&!this.disabled&&_e(e)){var o=!1;t.rotatable&&fe(e.rotate)&&e.rotate!==n.rotate&&(n.rotate=e.rotate,o=!0),t.scalable&&(fe(e.scaleX)&&e.scaleX!==n.scaleX&&(n.scaleX=e.scaleX,o=!0),fe(e.scaleY)&&e.scaleY!==n.scaleY&&(n.scaleY=e.scaleY,o=!0)),o&&this.renderCanvas(!0,!0);var i=n.width/n.naturalWidth;fe(e.x)&&(r.left=e.x*i+a.left),fe(e.y)&&(r.top=e.y*i+a.top),fe(e.width)&&(r.width=e.width*i),fe(e.height)&&(r.height=e.height*i),this.setCropBoxData(r)}return this},getContainerData:function(){return this.ready?we({},this.containerData):{}},getImageData:function(){return this.sized?we({},this.imageData):{}},getCanvasData:function(){var e=this.canvasData,t={};return this.ready&&Me(["left","top","width","height","naturalWidth","naturalHeight"],(function(n){t[n]=e[n]})),t},setCanvasData:function(e){var t=this.canvasData,n=t.aspectRatio;return this.ready&&!this.disabled&&_e(e)&&(fe(e.left)&&(t.left=e.left),fe(e.top)&&(t.top=e.top),fe(e.width)?(t.width=e.width,t.height=e.width/n):fe(e.height)&&(t.height=e.height,t.width=e.height*n),this.renderCanvas(!0)),this},getCropBoxData:function(){var e,t=this.cropBoxData;return this.ready&&this.cropped&&(e={left:t.left,top:t.top,width:t.width,height:t.height}),e||{}},setCropBoxData:function(e){var t,n,a=this.cropBoxData,r=this.options.aspectRatio;return this.ready&&this.cropped&&!this.disabled&&_e(e)&&(fe(e.left)&&(a.left=e.left),fe(e.top)&&(a.top=e.top),fe(e.width)&&e.width!==a.width&&(t=!0,a.width=e.width),fe(e.height)&&e.height!==a.height&&(n=!0,a.height=e.height),r&&(t?a.height=a.width/r:n&&(a.width=a.height*r)),this.renderCropBox()),this},getCroppedCanvas:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!this.ready||!window.HTMLCanvasElement)return null;var t=this.canvasData,n=Qe(this.image,this.imageData,t,e);if(!this.cropped)return n;var a=this.getData(),r=a.x,o=a.y,i=a.width,l=a.height,c=n.width/Math.floor(t.naturalWidth);1!==c&&(r*=c,o*=c,i*=c,l*=c);var u=i/l,d=Je({aspectRatio:u,width:e.maxWidth||1/0,height:e.maxHeight||1/0}),h=Je({aspectRatio:u,width:e.minWidth||0,height:e.minHeight||0},"cover"),f=Je({aspectRatio:u,width:e.width||(1!==c?n.width:i),height:e.height||(1!==c?n.height:l)}),p=f.width,m=f.height;p=Math.min(d.width,Math.max(h.width,p)),m=Math.min(d.height,Math.max(h.height,m));var v=document.createElement("canvas"),g=v.getContext("2d");v.width=ke(p),v.height=ke(m),g.fillStyle=e.fillColor||"transparent",g.fillRect(0,0,p,m);var _=e.imageSmoothingEnabled,b=void 0===_||_,y=e.imageSmoothingQuality;g.imageSmoothingEnabled=b,y&&(g.imageSmoothingQuality=y);var I,M,w,B,k,T,P=n.width,E=n.height,x=r,O=o;x<=-i||x>P?(x=0,I=0,w=0,k=0):x<=0?(w=-x,x=0,k=I=Math.min(P,i+x)):x<=P&&(w=0,k=I=Math.min(i,P-x)),I<=0||O<=-l||O>E?(O=0,M=0,B=0,T=0):O<=0?(B=-O,O=0,T=M=Math.min(E,l+O)):O<=E&&(B=0,T=M=Math.min(l,E-O));var S=[x,O,I,M];if(k>0&&T>0){var A=p/i;S.push(w*A,B*A,k*A,T*A)}return g.drawImage.apply(g,[n].concat(s(S.map((function(e){return Math.floor(ke(e))}))))),v},setAspectRatio:function(e){var t=this.options;return this.disabled||me(e)||(t.aspectRatio=Math.max(0,e)||NaN,this.ready&&(this.initCropBox(),this.cropped&&this.renderCropBox())),this},setDragMode:function(e){var t=this.options,n=this.dragBox,a=this.face;if(this.ready&&!this.disabled){var r=e===N,o=t.movable&&e===H;e=r||o?e:V,t.dragMode=e,ze(n,F,e),Se(n,O,r),Se(n,D,o),t.cropBoxMovable||(ze(a,F,e),Se(a,O,r),Se(a,D,o))}return this}},ft=p.Cropper,pt=function(){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(a(this,e),!t||!se.test(t.tagName))throw new Error("The first argument is required and must be an or element.");this.element=t,this.options=we({},ue,_e(n)&&n),this.cropped=!1,this.disabled=!1,this.pointers={},this.ready=!1,this.reloading=!1,this.replaced=!1,this.sized=!1,this.sizing=!1,this.init()}return o(e,[{key:"init",value:function(){var e,t=this.element,n=t.tagName.toLowerCase();if(!t[g]){if(t[g]=this,"img"===n){if(this.isImg=!0,e=t.getAttribute("src")||"",this.originalUrl=e,!e)return;e=t.src}else"canvas"===n&&window.HTMLCanvasElement&&(e=t.toDataURL());this.load(e)}}},{key:"load",value:function(e){var t=this;if(e){this.url=e,this.imageData={};var n=this.element,a=this.options;if(a.rotatable||a.scalable||(a.checkOrientation=!1),a.checkOrientation&&window.ArrayBuffer)if(oe.test(e))ie.test(e)?this.read(at(e)):this.clone();else{var r=new XMLHttpRequest,o=this.clone.bind(this);this.reloading=!0,this.xhr=r,r.onabort=o,r.onerror=o,r.ontimeout=o,r.onprogress=function(){r.getResponseHeader("content-type")!==ae&&r.abort()},r.onload=function(){t.read(r.response)},r.onloadend=function(){t.reloading=!1,t.xhr=null},a.checkCrossOrigin&&$e(e)&&n.crossOrigin&&(e=We(e)),r.open("GET",e,!0),r.responseType="arraybuffer",r.withCredentials="use-credentials"===n.crossOrigin,r.send()}else this.clone()}}},{key:"read",value:function(e){var t=this.options,n=this.imageData,a=ot(e),r=0,o=1,i=1;if(a>1){this.url=rt(e,ae);var s=it(a);r=s.rotate,o=s.scaleX,i=s.scaleY}t.rotatable&&(n.rotate=r),t.scalable&&(n.scaleX=o,n.scaleY=i),this.clone()}},{key:"clone",value:function(){var e=this.element,t=this.url,n=e.crossOrigin,a=t;this.options.checkCrossOrigin&&$e(t)&&(n||(n="anonymous"),a=We(t)),this.crossOrigin=n,this.crossOriginUrl=a;var r=document.createElement("img");n&&(r.crossOrigin=n),r.src=a||t,r.alt=e.alt||"The image to crop",this.image=r,r.onload=this.start.bind(this),r.onerror=this.stop.bind(this),xe(r,L),e.parentNode.insertBefore(r,e.nextSibling)}},{key:"start",value:function(){var e=this,t=this.image;t.onload=null,t.onerror=null,this.sizing=!0;var n=p.navigator&&/(?:iPad|iPhone|iPod).*?AppleWebKit/i.test(p.navigator.userAgent),a=function(t,n){we(e.imageData,{naturalWidth:t,naturalHeight:n,aspectRatio:t/n}),e.initialImageData=we({},e.imageData),e.sizing=!1,e.sized=!0,e.build()};if(!t.naturalWidth||n){var r=document.createElement("img"),o=document.body||document.documentElement;this.sizingImage=r,r.onload=function(){a(r.width,r.height),n||o.removeChild(r)},r.src=t.src,n||(r.style.cssText="left:0;max-height:none!important;max-width:none!important;min-height:0!important;min-width:0!important;opacity:0;position:absolute;top:0;z-index:-1;",o.appendChild(r))}else a(t.naturalWidth,t.naturalHeight)}},{key:"stop",value:function(){var e=this.image;e.onload=null,e.onerror=null,e.parentNode.removeChild(e),this.image=null}},{key:"build",value:function(){if(this.sized&&!this.ready){var e=this.element,t=this.options,n=this.image,a=e.parentNode,r=document.createElement("div");r.innerHTML=de;var o=r.querySelector(".".concat(g,"-container")),i=o.querySelector(".".concat(g,"-canvas")),s=o.querySelector(".".concat(g,"-drag-box")),l=o.querySelector(".".concat(g,"-crop-box")),c=l.querySelector(".".concat(g,"-face"));this.container=a,this.cropper=o,this.canvas=i,this.dragBox=s,this.cropBox=l,this.viewBox=o.querySelector(".".concat(g,"-view-box")),this.face=c,i.appendChild(n),xe(e,A),a.insertBefore(o,e.nextSibling),Oe(n,L),this.initPreview(),this.bind(),t.initialAspectRatio=Math.max(0,t.initialAspectRatio)||NaN,t.aspectRatio=Math.max(0,t.aspectRatio)||NaN,t.viewMode=Math.max(0,Math.min(3,Math.round(t.viewMode)))||0,xe(l,A),t.guides||xe(l.getElementsByClassName("".concat(g,"-dashed")),A),t.center||xe(l.getElementsByClassName("".concat(g,"-center")),A),t.background&&xe(o,"".concat(g,"-bg")),t.highlight||xe(c,C),t.cropBoxMovable&&(xe(c,D),ze(c,F,_)),t.cropBoxResizable||(xe(l.getElementsByClassName("".concat(g,"-line")),A),xe(l.getElementsByClassName("".concat(g,"-point")),A)),this.render(),this.ready=!0,this.setDragMode(t.dragMode),t.autoCrop&&this.crop(),this.setData(t.data),be(t.ready)&&He(e,Q,t.ready,{once:!0}),Ve(e,Q)}}},{key:"unbuild",value:function(){if(this.ready){this.ready=!1,this.unbind(),this.resetPreview();var e=this.cropper.parentNode;e&&e.removeChild(this.cropper),Oe(this.element,A)}}},{key:"uncreate",value:function(){this.ready?(this.unbuild(),this.ready=!1,this.cropped=!1):this.sizing?(this.sizingImage.onload=null,this.sizing=!1,this.sized=!1):this.reloading?(this.xhr.onabort=null,this.xhr.abort()):this.image&&this.stop()}}],[{key:"noConflict",value:function(){return window.Cropper=ft,e}},{key:"setDefaults",value:function(e){we(ue,_e(e)&&e)}}]),e}();return we(pt.prototype,st,lt,ct,ut,dt,ht),pt}()},93561:e=>{e.exports=function(e){var t=new Date(e.getTime()),n=t.getTimezoneOffset();return t.setSeconds(0,0),6e4*n+t.getTime()%6e4}},3374:(e,t,n)=>{var a=n(91884);e.exports=function(e,t){var n=a(e).getTime(),r=a(t).getTime();return nr?1:0}},93558:(e,t,n)=>{var a=n(91884);e.exports=function(e,t){var n=a(e).getTime(),r=a(t).getTime();return n>r?-1:n{var a=n(91884);e.exports=function(e,t){var n=a(e),r=a(t);return 12*(n.getFullYear()-r.getFullYear())+(n.getMonth()-r.getMonth())}},88081:(e,t,n)=>{var a=n(91884);e.exports=function(e,t){var n=a(e),r=a(t);return n.getTime()-r.getTime()}},31387:(e,t,n)=>{var a=n(91884),r=n(51924),o=n(3374);e.exports=function(e,t){var n=a(e),i=a(t),s=o(n,i),l=Math.abs(r(n,i));return n.setMonth(n.getMonth()-s*l),s*(l-(o(n,i)===-s))}},7977:(e,t,n)=>{var a=n(88081);e.exports=function(e,t){var n=a(e,t)/1e3;return n>0?Math.floor(n):Math.ceil(n)}},63332:(e,t,n)=>{var a=n(93558),r=n(91884),o=n(7977),i=n(31387),s=n(47479),l=43200;e.exports=function(e,t,n){var c=n||{},u=a(e,t),d=c.locale,h=s.distanceInWords.localize;d&&d.distanceInWords&&d.distanceInWords.localize&&(h=d.distanceInWords.localize);var f,p,m={addSuffix:Boolean(c.addSuffix),comparison:u};u>0?(f=r(e),p=r(t)):(f=r(t),p=r(e));var v,g=o(p,f),_=p.getTimezoneOffset()-f.getTimezoneOffset(),b=Math.round(g/60)-_;if(b<2)return c.includeSeconds?g<5?h("lessThanXSeconds",5,m):g<10?h("lessThanXSeconds",10,m):g<20?h("lessThanXSeconds",20,m):g<40?h("halfAMinute",null,m):h(g<60?"lessThanXMinutes":"xMinutes",1,m):0===b?h("lessThanXMinutes",1,m):h("xMinutes",b,m);if(b<45)return h("xMinutes",b,m);if(b<90)return h("aboutXHours",1,m);if(b<1440)return h("aboutXHours",Math.round(b/60),m);if(b<2520)return h("xDays",1,m);if(b{var a=n(63332);e.exports=function(e,t){return a(Date.now(),e,t)}},14286:e=>{e.exports=function(e){return e instanceof Date}},18854:e=>{var t=["M","MM","Q","D","DD","DDD","DDDD","d","E","W","WW","YY","YYYY","GG","GGGG","H","HH","h","hh","m","mm","s","ss","S","SS","SSS","Z","ZZ","X","x"];e.exports=function(e){var n=[];for(var a in e)e.hasOwnProperty(a)&&n.push(a);var r=t.concat(n).sort().reverse();return new RegExp("(\\[[^\\[]*\\])|(\\\\)?("+r.join("|")+"|.)","g")}},92894:e=>{e.exports=function(){var e={lessThanXSeconds:{one:"less than a second",other:"less than {{count}} seconds"},xSeconds:{one:"1 second",other:"{{count}} seconds"},halfAMinute:"half a minute",lessThanXMinutes:{one:"less than a minute",other:"less than {{count}} minutes"},xMinutes:{one:"1 minute",other:"{{count}} minutes"},aboutXHours:{one:"about 1 hour",other:"about {{count}} hours"},xHours:{one:"1 hour",other:"{{count}} hours"},xDays:{one:"1 day",other:"{{count}} days"},aboutXMonths:{one:"about 1 month",other:"about {{count}} months"},xMonths:{one:"1 month",other:"{{count}} months"},aboutXYears:{one:"about 1 year",other:"about {{count}} years"},xYears:{one:"1 year",other:"{{count}} years"},overXYears:{one:"over 1 year",other:"over {{count}} years"},almostXYears:{one:"almost 1 year",other:"almost {{count}} years"}};return{localize:function(t,n,a){var r;return a=a||{},r="string"==typeof e[t]?e[t]:1===n?e[t].one:e[t].other.replace("{{count}}",n),a.addSuffix?a.comparison>0?"in "+r:r+" ago":r}}}},664:(e,t,n)=>{var a=n(18854);e.exports=function(){var e=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],t=["January","February","March","April","May","June","July","August","September","October","November","December"],n=["Su","Mo","Tu","We","Th","Fr","Sa"],r=["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],o=["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],i=["AM","PM"],s=["am","pm"],l=["a.m.","p.m."],c={MMM:function(t){return e[t.getMonth()]},MMMM:function(e){return t[e.getMonth()]},dd:function(e){return n[e.getDay()]},ddd:function(e){return r[e.getDay()]},dddd:function(e){return o[e.getDay()]},A:function(e){return e.getHours()/12>=1?i[1]:i[0]},a:function(e){return e.getHours()/12>=1?s[1]:s[0]},aa:function(e){return e.getHours()/12>=1?l[1]:l[0]}};return["M","D","DDD","d","Q","W"].forEach((function(e){c[e+"o"]=function(t,n){return function(e){var t=e%100;if(t>20||t<10)switch(t%10){case 1:return e+"st";case 2:return e+"nd";case 3:return e+"rd"}return e+"th"}(n[e](t))}})),{formatters:c,formattingTokensRegExp:a(c)}}},47479:(e,t,n)=>{var a=n(92894),r=n(664);e.exports={distanceInWords:a(),format:r()}},91884:(e,t,n)=>{var a=n(93561),r=n(14286),o=36e5,i=6e4,s=/[T ]/,l=/:/,c=/^(\d{2})$/,u=[/^([+-]\d{2})$/,/^([+-]\d{3})$/,/^([+-]\d{4})$/],d=/^(\d{4})/,h=[/^([+-]\d{4})/,/^([+-]\d{5})/,/^([+-]\d{6})/],f=/^-(\d{2})$/,p=/^-?(\d{3})$/,m=/^-?(\d{2})-?(\d{2})$/,v=/^-?W(\d{2})$/,g=/^-?W(\d{2})-?(\d{1})$/,_=/^(\d{2}([.,]\d*)?)$/,b=/^(\d{2}):?(\d{2}([.,]\d*)?)$/,y=/^(\d{2}):?(\d{2}):?(\d{2}([.,]\d*)?)$/,I=/([Z+-].*)$/,M=/^(Z)$/,w=/^([+-])(\d{2})$/,B=/^([+-])(\d{2}):?(\d{2})$/;function k(e,t,n){t=t||0,n=n||0;var a=new Date(0);a.setUTCFullYear(e,0,4);var r=7*t+n+1-(a.getUTCDay()||7);return a.setUTCDate(a.getUTCDate()+r),a}e.exports=function(e,t){if(r(e))return new Date(e.getTime());if("string"!=typeof e)return new Date(e);var n=(t||{}).additionalDigits;n=null==n?2:Number(n);var T=function(e){var t,n={},a=e.split(s);l.test(a[0])?(n.date=null,t=a[0]):(n.date=a[0],t=a[1]);if(t){var r=I.exec(t);r?(n.time=t.replace(r[1],""),n.timezone=r[1]):n.time=t}return n}(e),P=function(e,t){var n,a=u[t],r=h[t];if(n=d.exec(e)||r.exec(e)){var o=n[1];return{year:parseInt(o,10),restDateString:e.slice(o.length)}}if(n=c.exec(e)||a.exec(e)){var i=n[1];return{year:100*parseInt(i,10),restDateString:e.slice(i.length)}}return{year:null}}(T.date,n),E=P.year,x=function(e,t){if(null===t)return null;var n,a,r;if(0===e.length)return(a=new Date(0)).setUTCFullYear(t),a;if(n=f.exec(e))return a=new Date(0),r=parseInt(n[1],10)-1,a.setUTCFullYear(t,r),a;if(n=p.exec(e)){a=new Date(0);var o=parseInt(n[1],10);return a.setUTCFullYear(t,0,o),a}if(n=m.exec(e)){a=new Date(0),r=parseInt(n[1],10)-1;var i=parseInt(n[2],10);return a.setUTCFullYear(t,r,i),a}if(n=v.exec(e))return k(t,parseInt(n[1],10)-1);if(n=g.exec(e)){return k(t,parseInt(n[1],10)-1,parseInt(n[2],10)-1)}return null}(P.restDateString,E);if(x){var O,S=x.getTime(),A=0;if(T.time&&(A=function(e){var t,n,a;if(t=_.exec(e))return(n=parseFloat(t[1].replace(",",".")))%24*o;if(t=b.exec(e))return n=parseInt(t[1],10),a=parseFloat(t[2].replace(",",".")),n%24*o+a*i;if(t=y.exec(e)){n=parseInt(t[1],10),a=parseInt(t[2],10);var r=parseFloat(t[3].replace(",","."));return n%24*o+a*i+1e3*r}return null}(T.time)),T.timezone)O=function(e){var t,n;if(t=M.exec(e))return 0;if(t=w.exec(e))return n=60*parseInt(t[2],10),"+"===t[1]?-n:n;if(t=B.exec(e))return n=60*parseInt(t[2],10)+parseInt(t[3],10),"+"===t[1]?-n:n;return 0}(T.timezone)*i;else{var L=S+A,C=new Date(L);O=a(C);var z=new Date(L);z.setDate(C.getDate()+1);var D=a(z)-a(C);D>0&&(O+=D)}return new Date(S+A+O)}return new Date(e)}},42317:(e,t,n)=>{"use strict";!function(t){var n=/^(b|B)$/,a={iec:{bits:["b","Kib","Mib","Gib","Tib","Pib","Eib","Zib","Yib"],bytes:["B","KiB","MiB","GiB","TiB","PiB","EiB","ZiB","YiB"]},jedec:{bits:["b","Kb","Mb","Gb","Tb","Pb","Eb","Zb","Yb"],bytes:["B","KB","MB","GB","TB","PB","EB","ZB","YB"]}},r={iec:["","kibi","mebi","gibi","tebi","pebi","exbi","zebi","yobi"],jedec:["","kilo","mega","giga","tera","peta","exa","zetta","yotta"]};function o(e){var t,o,i,s,l,c,u,d,h,f,p,m,v,g=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},_=[],b=0,y=void 0,I=void 0;if(isNaN(e))throw new Error("Invalid arguments");return o=!0===g.bits,h=!0===g.unix,t=g.base||2,d=void 0!==g.round?g.round:h?1:2,f=void 0!==g.separator&&g.separator||"",p=void 0!==g.spacer?g.spacer:h?"":" ",v=g.symbols||g.suffixes||{},m=2===t&&g.standard||"jedec",u=g.output||"string",s=!0===g.fullform,l=g.fullforms instanceof Array?g.fullforms:[],y=void 0!==g.exponent?g.exponent:-1,i=t>2?1e3:1024,(c=(I=Number(e))<0)&&(I=-I),(-1===y||isNaN(y))&&(y=Math.floor(Math.log(I)/Math.log(i)))<0&&(y=0),y>8&&(y=8),0===I?(_[0]=0,_[1]=h?"":a[m][o?"bits":"bytes"][y]):(b=I/(2===t?Math.pow(2,10*y):Math.pow(1e3,y)),o&&(b*=8)>=i&&y<8&&(b/=i,y++),_[0]=Number(b.toFixed(y>0?d:0)),_[1]=10===t&&1===y?o?"kb":"kB":a[m][o?"bits":"bytes"][y],h&&(_[1]="jedec"===m?_[1].charAt(0):y>0?_[1].replace(/B$/,""):_[1],n.test(_[1])&&(_[0]=Math.floor(_[0]),_[1]=""))),c&&(_[0]=-_[0]),_[1]=v[_[1]]||_[1],"array"===u?_:"exponent"===u?y:"object"===u?{value:_[0],suffix:_[1],symbol:_[1]}:(s&&(_[1]=l[y]?l[y]:r[m][y]+(o?"bit":"byte")+(1===_[0]?"":"s")),f.length>0&&(_[0]=_[0].toString().replace(".",f)),_.join(p))}o.partial=function(e){return function(t){return o(t,e)}},e.exports=o}("undefined"!=typeof window?window:n.g)},80981:(e,t,n)=>{var a,r,o;r=[n(19755)],void 0===(o="function"==typeof(a=function(e){"use strict";var t={space:32,pageup:33,pagedown:34,end:35,home:36,up:38,down:40},n=function(t,n){var a,r=n.scrollTop(),o=n.prop("scrollHeight"),i=n.prop("clientHeight"),s=t.originalEvent.wheelDelta||-1*t.originalEvent.detail||-1*t.originalEvent.deltaY,l=0;if("wheel"===t.type){var c=n.height()/e(window).height();l=t.originalEvent.deltaY*c}else this.options.touch&&"touchmove"===t.type&&(s=t.originalEvent.changedTouches[0].clientY-this.startClientY);return{prevent:(a=s>0&&r+l<=0)||s<0&&r+l>=o-i,top:a,scrollTop:r,deltaY:l}},a=function(e,n){var a=n.scrollTop(),r={top:!1,bottom:!1};if(r.top=0===a&&(e.keyCode===t.pageup||e.keyCode===t.home||e.keyCode===t.up),!r.top){var o=n.prop("scrollHeight"),i=n.prop("clientHeight");r.bottom=o===a+i&&(e.keyCode===t.space||e.keyCode===t.pagedown||e.keyCode===t.end||e.keyCode===t.down)}return r},r=function(t,n){this.$element=t,this.options=e.extend({},r.DEFAULTS,this.$element.data(),n),this.enabled=!0,this.startClientY=0,this.options.unblock&&this.$element.on(r.CORE.wheelEventName+r.NAMESPACE,this.options.unblock,e.proxy(r.CORE.unblockHandler,this)),this.$element.on(r.CORE.wheelEventName+r.NAMESPACE,this.options.selector,e.proxy(r.CORE.handler,this)),this.options.touch&&(this.$element.on("touchstart"+r.NAMESPACE,this.options.selector,e.proxy(r.CORE.touchHandler,this)),this.$element.on("touchmove"+r.NAMESPACE,this.options.selector,e.proxy(r.CORE.handler,this)),this.options.unblock&&this.$element.on("touchmove"+r.NAMESPACE,this.options.unblock,e.proxy(r.CORE.unblockHandler,this))),this.options.keyboard&&(this.$element.attr("tabindex",this.options.keyboard.tabindex||0),this.$element.on("keydown"+r.NAMESPACE,this.options.selector,e.proxy(r.CORE.keyboardHandler,this)),this.options.unblock&&this.$element.on("keydown"+r.NAMESPACE,this.options.unblock,e.proxy(r.CORE.unblockHandler,this)))};r.NAME="ScrollLock",r.VERSION="3.1.2",r.NAMESPACE=".scrollLock",r.ANIMATION_NAMESPACE=r.NAMESPACE+".effect",r.DEFAULTS={strict:!1,strictFn:function(e){return e.prop("scrollHeight")>e.prop("clientHeight")},selector:!1,animation:!1,touch:"ontouchstart"in window,keyboard:!1,unblock:!1},r.CORE={wheelEventName:"onwheel"in document.createElement("div")?"wheel":void 0!==document.onmousewheel?"mousewheel":"DOMMouseScroll",animationEventName:["webkitAnimationEnd","mozAnimationEnd","MSAnimationEnd","oanimationend","animationend"].join(r.ANIMATION_NAMESPACE+" ")+r.ANIMATION_NAMESPACE,unblockHandler:function(e){e.__currentTarget=e.currentTarget},handler:function(t){if(this.enabled&&!t.ctrlKey){var a=e(t.currentTarget);if(!0!==this.options.strict||this.options.strictFn(a)){t.stopPropagation();var o=e.proxy(n,this)(t,a);if(t.__currentTarget&&(o.prevent&=e.proxy(n,this)(t,e(t.__currentTarget)).prevent),o.prevent){t.preventDefault(),o.deltaY&&a.scrollTop(o.scrollTop+o.deltaY);var i=o.top?"top":"bottom";this.options.animation&&setTimeout(r.CORE.animationHandler.bind(this,a,i),0),a.trigger(e.Event(i+r.NAMESPACE))}}}},touchHandler:function(e){this.startClientY=e.originalEvent.touches[0].clientY},animationHandler:function(e,t){var n=this.options.animation[t],a=this.options.animation.top+" "+this.options.animation.bottom;e.off(r.ANIMATION_NAMESPACE).removeClass(a).addClass(n).one(r.CORE.animationEventName,(function(){e.removeClass(n)}))},keyboardHandler:function(t){var n=e(t.currentTarget),o=(n.scrollTop(),a(t,n));if(t.__currentTarget){var i=a(t,e(t.__currentTarget));o.top&=i.top,o.bottom&=i.bottom}return o.top?(n.trigger(e.Event("top"+r.NAMESPACE)),this.options.animation&&setTimeout(r.CORE.animationHandler.bind(this,n,"top"),0),!1):o.bottom?(n.trigger(e.Event("bottom"+r.NAMESPACE)),this.options.animation&&setTimeout(r.CORE.animationHandler.bind(this,n,"bottom"),0),!1):void 0}},r.prototype.toggleStrict=function(){this.options.strict=!this.options.strict},r.prototype.enable=function(){this.enabled=!0},r.prototype.disable=function(){this.enabled=!1},r.prototype.destroy=function(){this.disable(),this.$element.off(r.NAMESPACE),this.$element=null,this.options=null};var o=e.fn.scrollLock;e.fn.scrollLock=function(t){return this.each((function(){var n=e(this),a="object"==typeof t&&t,o=n.data(r.NAME);(o||"destroy"!==t)&&(o||n.data(r.NAME,o=new r(n,a)),"string"==typeof t&&o[t]())}))},e.fn.scrollLock.defaults=r.DEFAULTS,e.fn.scrollLock.noConflict=function(){return e.fn.scrollLock=o,this}})?a.apply(t,r):a)||(e.exports=o)},20154:(e,t,n)=>{n(88913),e.exports="jQueryScrollbar"},88913:function(e,t,n){var a,r,o;r=[n(19755)],void 0===(o="function"==typeof(a=function(e){"use strict";var t=!1,n={data:{index:0,name:"scrollbar"},firefox:/firefox/i.test(navigator.userAgent),macosx:/mac/i.test(navigator.platform),msedge:/edge\/\d+/i.test(navigator.userAgent),msie:/(msie|trident)/i.test(navigator.userAgent),mobile:/android|webos|iphone|ipad|ipod|blackberry/i.test(navigator.userAgent),overlay:null,scroll:null,scrolls:[],webkit:/webkit/i.test(navigator.userAgent)&&!/edge\/\d+/i.test(navigator.userAgent)};n.scrolls.add=function(e){this.remove(e).push(e)},n.scrolls.remove=function(t){for(;e.inArray(t,this)>=0;)this.splice(e.inArray(t,this),1);return this};var a={autoScrollSize:!0,autoUpdate:!0,debug:!1,disableBodyScroll:!1,duration:200,ignoreMobile:!1,ignoreOverlay:!1,isRtl:!1,scrollStep:30,showArrows:!1,stepScrolling:!0,scrollx:null,scrolly:null,onDestroy:null,onFallback:null,onInit:null,onScroll:null,onUpdate:null},r=function(t){n.scroll||(n.overlay=d(),n.scroll=u(),c(),e(window).resize((function(){var e=!1;if(n.scroll&&(n.scroll.height||n.scroll.width)){var t=u();t.height===n.scroll.height&&t.width===n.scroll.width||(n.scroll=t,e=!0)}c(e)}))),this.container=t,this.namespace=".scrollbar_"+n.data.index++,this.options=e.extend({},a,window.jQueryScrollbarOptions||{}),this.scrollTo=null,this.scrollx={},this.scrolly={},t.data(n.data.name,this),n.scrolls.add(this)};r.prototype={destroy:function(){if(this.wrapper){this.container.removeData(n.data.name),n.scrolls.remove(this);var t=this.container.scrollLeft(),a=this.container.scrollTop();this.container.insertBefore(this.wrapper).css({height:"",margin:"","max-height":""}).removeClass("scroll-content scroll-scrollx_visible scroll-scrolly_visible").off(this.namespace).scrollLeft(t).scrollTop(a),this.scrollx.scroll.removeClass("scroll-scrollx_visible").find("div").addBack().off(this.namespace),this.scrolly.scroll.removeClass("scroll-scrolly_visible").find("div").addBack().off(this.namespace),this.wrapper.remove(),e(document).add("body").off(this.namespace),e.isFunction(this.options.onDestroy)&&this.options.onDestroy.apply(this,[this.container])}},init:function(t){var a=this,r=this.container,o=this.containerWrapper||r,i=this.namespace,s=e.extend(this.options,t||{}),l={x:this.scrollx,y:this.scrolly},c=this.wrapper,u={},d={scrollLeft:r.scrollLeft(),scrollTop:r.scrollTop()};if(n.mobile&&s.ignoreMobile||n.overlay&&s.ignoreOverlay||n.macosx&&!n.webkit)return e.isFunction(s.onFallback)&&s.onFallback.apply(this,[r]),!1;if(c)(u={height:"auto","margin-bottom":-1*n.scroll.height+"px","max-height":""})[s.isRtl?"margin-left":"margin-right"]=-1*n.scroll.width+"px",o.css(u);else{if(this.wrapper=c=e("
").addClass("scroll-wrapper").addClass(r.attr("class")).css("position","absolute"===r.css("position")?"absolute":"relative").insertBefore(r).append(r),s.isRtl&&c.addClass("scroll--rtl"),r.is("textarea")&&(this.containerWrapper=o=e("
").insertBefore(r).append(r),c.addClass("scroll-textarea")),(u={height:"auto","margin-bottom":-1*n.scroll.height+"px","max-height":""})[s.isRtl?"margin-left":"margin-right"]=-1*n.scroll.width+"px",o.addClass("scroll-content").css(u),r.on("scroll"+i,(function(t){var o=r.scrollLeft(),i=r.scrollTop();if(s.isRtl)switch(!0){case n.firefox:o=Math.abs(o);case n.msedge||n.msie:o=r[0].scrollWidth-r[0].clientWidth-o}e.isFunction(s.onScroll)&&s.onScroll.call(a,{maxScroll:l.y.maxScrollOffset,scroll:i,size:l.y.size,visible:l.y.visible},{maxScroll:l.x.maxScrollOffset,scroll:o,size:l.x.size,visible:l.x.visible}),l.x.isVisible&&l.x.scroll.bar.css("left",o*l.x.kx+"px"),l.y.isVisible&&l.y.scroll.bar.css("top",i*l.y.kx+"px")})),c.on("scroll"+i,(function(){c.scrollTop(0).scrollLeft(0)})),s.disableBodyScroll){var f=function(e){h(e)?l.y.isVisible&&l.y.mousewheel(e):l.x.isVisible&&l.x.mousewheel(e)};c.on("MozMousePixelScroll"+i,f),c.on("mousewheel"+i,f),n.mobile&&c.on("touchstart"+i,(function(t){var n=t.originalEvent.touches&&t.originalEvent.touches[0]||t,a={pageX:n.pageX,pageY:n.pageY},o={left:r.scrollLeft(),top:r.scrollTop()};e(document).on("touchmove"+i,(function(e){var t=e.originalEvent.targetTouches&&e.originalEvent.targetTouches[0]||e;r.scrollLeft(o.left+a.pageX-t.pageX),r.scrollTop(o.top+a.pageY-t.pageY),e.preventDefault()})),e(document).on("touchend"+i,(function(){e(document).off(i)}))}))}e.isFunction(s.onInit)&&s.onInit.apply(this,[r])}e.each(l,(function(t,o){var c=null,u=1,d="x"===t?"scrollLeft":"scrollTop",f=s.scrollStep,p=function(){var e=r[d]();r[d](e+f),1==u&&e+f>=m&&(e=r[d]()),-1==u&&e+f<=m&&(e=r[d]()),r[d]()==e&&c&&c()},m=0;o.scroll||(o.scroll=a._getScroll(s["scroll"+t]).addClass("scroll-"+t),s.showArrows&&o.scroll.addClass("scroll-element_arrows_visible"),o.mousewheel=function(e){if(!o.isVisible||"x"===t&&h(e))return!0;if("y"===t&&!h(e))return l.x.mousewheel(e),!0;var n=-1*e.originalEvent.wheelDelta||e.originalEvent.detail,i=o.size-o.visible-o.offset;return n||("x"===t&&e.originalEvent.deltaX?n=40*e.originalEvent.deltaX:"y"===t&&e.originalEvent.deltaY&&(n=40*e.originalEvent.deltaY)),(n>0&&m0)&&((m+=n)<0&&(m=0),m>i&&(m=i),a.scrollTo=a.scrollTo||{},a.scrollTo[d]=m,setTimeout((function(){a.scrollTo&&(r.stop().animate(a.scrollTo,240,"linear",(function(){m=r[d]()})),a.scrollTo=null)}),1)),e.preventDefault(),!1},o.scroll.on("MozMousePixelScroll"+i,o.mousewheel).on("mousewheel"+i,o.mousewheel).on("mouseenter"+i,(function(){m=r[d]()})),o.scroll.find(".scroll-arrow, .scroll-element_track").on("mousedown"+i,(function(i){if(1!=i.which)return!0;u=1;var l={eventOffset:i["x"===t?"pageX":"pageY"],maxScrollValue:o.size-o.visible-o.offset,scrollbarOffset:o.scroll.bar.offset()["x"===t?"left":"top"],scrollbarSize:o.scroll.bar["x"===t?"outerWidth":"outerHeight"]()},h=0,v=0;if(e(this).hasClass("scroll-arrow")){if(u=e(this).hasClass("scroll-arrow_more")?1:-1,f=s.scrollStep*u,m=u>0?l.maxScrollValue:0,s.isRtl)switch(!0){case n.firefox:m=u>0?0:-1*l.maxScrollValue;case n.msie||n.msedge:}}else u=l.eventOffset>l.scrollbarOffset+l.scrollbarSize?1:l.eventOffset','
','
','
','
','
','
','
','
',"
","
",'
','
','
',"
",'
','
',"
","
","
"].join(""),simple:['
','
','
','
','
',"
","
"].join("")};return n[t]&&(t=n[t]),t||(t=n.simple),t="string"==typeof t?e(t).appendTo(this.wrapper):e(t),e.extend(t,{bar:t.find(".scroll-bar"),size:t.find(".scroll-element_size"),track:t.find(".scroll-element_track")}),t},_handleMouseDown:function(t,n){var a=this.namespace;return e(document).on("blur"+a,(function(){e(document).add("body").off(a),t&&t()})),e(document).on("dragstart"+a,(function(e){return e.preventDefault(),!1})),e(document).on("mouseup"+a,(function(){e(document).add("body").off(a),t&&t()})),e("body").on("selectstart"+a,(function(e){return e.preventDefault(),!1})),n&&n.preventDefault(),!1},_updateScroll:function(t,a){var r=this.container,o=this.containerWrapper||r,i="scroll-scroll"+t+"_visible",s="x"===t?this.scrolly:this.scrollx,l=parseInt(this.container.css("x"===t?"left":"top"),10)||0,c=this.wrapper,u=a.size,d=a.visible+l;a.isVisible=u-d>1,a.isVisible?(a.scroll.addClass(i),s.scroll.addClass(i),o.addClass(i)):(a.scroll.removeClass(i),s.scroll.removeClass(i),o.removeClass(i)),"y"===t&&(r.is("textarea")||u10?(window.console&&console.log("Scroll updates exceed 10"),c=function(){}):(clearTimeout(i),i=setTimeout(c,300))});function u(t){if(n.webkit&&!t)return{height:0,width:0};if(!n.data.outer){var a={border:"none","box-sizing":"content-box",height:"200px",margin:"0",padding:"0",width:"200px"};n.data.inner=e("
").css(e.extend({},a)),n.data.outer=e("
").css(e.extend({left:"-1000px",overflow:"scroll",position:"absolute",top:"-1000px"},a)).append(n.data.inner).appendTo("body")}return n.data.outer.scrollLeft(1e3).scrollTop(1e3),{height:Math.ceil(n.data.outer.offset().top-n.data.inner.offset().top||0),width:Math.ceil(n.data.outer.offset().left-n.data.inner.offset().left||0)}}function d(){var e=u(!0);return!(e.height||e.width)}function h(e){var t=e.originalEvent;return!(t.axis&&t.axis===t.HORIZONTAL_AXIS||t.wheelDeltaX)}window.angular&&(l=window.angular).module("jQueryScrollbar",[]).provider("jQueryScrollbar",(function(){var e=a;return{setOptions:function(t){l.extend(e,t)},$get:function(){return{options:l.copy(e)}}}})).directive("jqueryScrollbar",["jQueryScrollbar","$parse",function(e,t){return{restrict:"AC",link:function(n,a,r){var o=t(r.jqueryScrollbar)(n);a.scrollbar(o||e.options).on("$destroy",(function(){a.scrollbar("destroy")}))}}}])})?a.apply(t,r):a)||(e.exports=o)},19755:function(e,t){var n;!function(t,n){"use strict";"object"==typeof e.exports?e.exports=t.document?n(t,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return n(e)}:n(t)}("undefined"!=typeof window?window:this,(function(a,r){"use strict";var o=[],i=Object.getPrototypeOf,s=o.slice,l=o.flat?function(e){return o.flat.call(e)}:function(e){return o.concat.apply([],e)},c=o.push,u=o.indexOf,d={},h=d.toString,f=d.hasOwnProperty,p=f.toString,m=p.call(Object),v={},g=function(e){return"function"==typeof e&&"number"!=typeof e.nodeType&&"function"!=typeof e.item},_=function(e){return null!=e&&e===e.window},b=a.document,y={type:!0,src:!0,nonce:!0,noModule:!0};function I(e,t,n){var a,r,o=(n=n||b).createElement("script");if(o.text=e,t)for(a in y)(r=t[a]||t.getAttribute&&t.getAttribute(a))&&o.setAttribute(a,r);n.head.appendChild(o).parentNode.removeChild(o)}function M(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?d[h.call(e)]||"object":typeof e}var w="3.7.0",B=/HTML$/i,k=function(e,t){return new k.fn.init(e,t)};function T(e){var t=!!e&&"length"in e&&e.length,n=M(e);return!g(e)&&!_(e)&&("array"===n||0===t||"number"==typeof t&&t>0&&t-1 in e)}function P(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}k.fn=k.prototype={jquery:w,constructor:k,length:0,toArray:function(){return s.call(this)},get:function(e){return null==e?s.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=k.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return k.each(this,e)},map:function(e){return this.pushStack(k.map(this,(function(t,n){return e.call(t,n,t)})))},slice:function(){return this.pushStack(s.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},even:function(){return this.pushStack(k.grep(this,(function(e,t){return(t+1)%2})))},odd:function(){return this.pushStack(k.grep(this,(function(e,t){return t%2})))},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n+~]|"+S+")"+S+"*"),V=new RegExp(S+"|>"),Y=new RegExp(F),j=new RegExp("^"+L+"$"),U={ID:new RegExp("^#("+L+")"),CLASS:new RegExp("^\\.("+L+")"),TAG:new RegExp("^("+L+"|[*])"),ATTR:new RegExp("^"+C),PSEUDO:new RegExp("^"+F),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+S+"*(even|odd|(([+-]|)(\\d*)n|)"+S+"*(?:([+-]|)"+S+"*(\\d+)|))"+S+"*\\)|)","i"),bool:new RegExp("^(?:"+T+")$","i"),needsContext:new RegExp("^"+S+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+S+"*((?:-\\d)?\\d*)"+S+"*\\)|)(?=[^-]|$)","i")},$=/^(?:input|select|textarea|button)$/i,W=/^h\d$/i,G=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,q=/[+~]/,X=new RegExp("\\\\[\\da-fA-F]{1,6}"+S+"?|\\\\([^\\r\\n\\f])","g"),K=function(e,t){var n="0x"+e.slice(1)-65536;return t||(n<0?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320))},J=function(){le()},Z=he((function(e){return!0===e.disabled&&P(e,"fieldset")}),{dir:"parentNode",next:"legend"});try{m.apply(o=s.call(z.childNodes),z.childNodes),o[z.childNodes.length].nodeType}catch(e){m={apply:function(e,t){D.apply(e,s.call(t))},call:function(e){D.apply(e,s.call(arguments,1))}}}function Q(e,t,n,a){var r,o,i,s,c,u,f,p=t&&t.ownerDocument,_=t?t.nodeType:9;if(n=n||[],"string"!=typeof e||!e||1!==_&&9!==_&&11!==_)return n;if(!a&&(le(t),t=t||l,d)){if(11!==_&&(c=G.exec(e)))if(r=c[1]){if(9===_){if(!(i=t.getElementById(r)))return n;if(i.id===r)return m.call(n,i),n}else if(p&&(i=p.getElementById(r))&&Q.contains(t,i)&&i.id===r)return m.call(n,i),n}else{if(c[2])return m.apply(n,t.getElementsByTagName(e)),n;if((r=c[3])&&t.getElementsByClassName)return m.apply(n,t.getElementsByClassName(r)),n}if(!(w[e+" "]||h&&h.test(e))){if(f=e,p=t,1===_&&(V.test(e)||H.test(e))){for((p=q.test(e)&&se(t.parentNode)||t)==t&&v.scope||((s=t.getAttribute("id"))?s=k.escapeSelector(s):t.setAttribute("id",s=g)),o=(u=ue(e)).length;o--;)u[o]=(s?"#"+s:":scope")+" "+de(u[o]);f=u.join(",")}try{return m.apply(n,p.querySelectorAll(f)),n}catch(t){w(e,!0)}finally{s===g&&t.removeAttribute("id")}}}return _e(e.replace(A,"$1"),t,n,a)}function ee(){var e=[];return function n(a,r){return e.push(a+" ")>t.cacheLength&&delete n[e.shift()],n[a+" "]=r}}function te(e){return e[g]=!0,e}function ne(e){var t=l.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function ae(e){return function(t){return P(t,"input")&&t.type===e}}function re(e){return function(t){return(P(t,"input")||P(t,"button"))&&t.type===e}}function oe(e){return function(t){return"form"in t?t.parentNode&&!1===t.disabled?"label"in t?"label"in t.parentNode?t.parentNode.disabled===e:t.disabled===e:t.isDisabled===e||t.isDisabled!==!e&&Z(t)===e:t.disabled===e:"label"in t&&t.disabled===e}}function ie(e){return te((function(t){return t=+t,te((function(n,a){for(var r,o=e([],n.length,t),i=o.length;i--;)n[r=o[i]]&&(n[r]=!(a[r]=n[r]))}))}))}function se(e){return e&&void 0!==e.getElementsByTagName&&e}function le(e){var n,a=e?e.ownerDocument||e:z;return a!=l&&9===a.nodeType&&a.documentElement?(c=(l=a).documentElement,d=!k.isXMLDoc(l),p=c.matches||c.webkitMatchesSelector||c.msMatchesSelector,z!=l&&(n=l.defaultView)&&n.top!==n&&n.addEventListener("unload",J),v.getById=ne((function(e){return c.appendChild(e).id=k.expando,!l.getElementsByName||!l.getElementsByName(k.expando).length})),v.disconnectedMatch=ne((function(e){return p.call(e,"*")})),v.scope=ne((function(){return l.querySelectorAll(":scope")})),v.cssHas=ne((function(){try{return l.querySelector(":has(*,:jqfake)"),!1}catch(e){return!0}})),v.getById?(t.filter.ID=function(e){var t=e.replace(X,K);return function(e){return e.getAttribute("id")===t}},t.find.ID=function(e,t){if(void 0!==t.getElementById&&d){var n=t.getElementById(e);return n?[n]:[]}}):(t.filter.ID=function(e){var t=e.replace(X,K);return function(e){var n=void 0!==e.getAttributeNode&&e.getAttributeNode("id");return n&&n.value===t}},t.find.ID=function(e,t){if(void 0!==t.getElementById&&d){var n,a,r,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];for(r=t.getElementsByName(e),a=0;o=r[a++];)if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),t.find.TAG=function(e,t){return void 0!==t.getElementsByTagName?t.getElementsByTagName(e):t.querySelectorAll(e)},t.find.CLASS=function(e,t){if(void 0!==t.getElementsByClassName&&d)return t.getElementsByClassName(e)},h=[],ne((function(e){var t;c.appendChild(e).innerHTML="",e.querySelectorAll("[selected]").length||h.push("\\["+S+"*(?:value|"+T+")"),e.querySelectorAll("[id~="+g+"-]").length||h.push("~="),e.querySelectorAll("a#"+g+"+*").length||h.push(".#.+[+~]"),e.querySelectorAll(":checked").length||h.push(":checked"),(t=l.createElement("input")).setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),c.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&h.push(":enabled",":disabled"),(t=l.createElement("input")).setAttribute("name",""),e.appendChild(t),e.querySelectorAll("[name='']").length||h.push("\\["+S+"*name"+S+"*="+S+"*(?:''|\"\")")})),v.cssHas||h.push(":has"),h=h.length&&new RegExp(h.join("|")),B=function(e,t){if(e===t)return i=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n||(1&(n=(e.ownerDocument||e)==(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!v.sortDetached&&t.compareDocumentPosition(e)===n?e===l||e.ownerDocument==z&&Q.contains(z,e)?-1:t===l||t.ownerDocument==z&&Q.contains(z,t)?1:r?u.call(r,e)-u.call(r,t):0:4&n?-1:1)},l):l}for(e in Q.matches=function(e,t){return Q(e,null,null,t)},Q.matchesSelector=function(e,t){if(le(e),d&&!w[t+" "]&&(!h||!h.test(t)))try{var n=p.call(e,t);if(n||v.disconnectedMatch||e.document&&11!==e.document.nodeType)return n}catch(e){w(t,!0)}return Q(t,l,null,[e]).length>0},Q.contains=function(e,t){return(e.ownerDocument||e)!=l&&le(e),k.contains(e,t)},Q.attr=function(e,n){(e.ownerDocument||e)!=l&&le(e);var a=t.attrHandle[n.toLowerCase()],r=a&&f.call(t.attrHandle,n.toLowerCase())?a(e,n,!d):void 0;return void 0!==r?r:e.getAttribute(n)},Q.error=function(e){throw new Error("Syntax error, unrecognized expression: "+e)},k.uniqueSort=function(e){var t,n=[],a=0,o=0;if(i=!v.sortStable,r=!v.sortStable&&s.call(e,0),x.call(e,B),i){for(;t=e[o++];)t===e[o]&&(a=n.push(o));for(;a--;)O.call(e,n[a],1)}return r=null,e},k.fn.uniqueSort=function(){return this.pushStack(k.uniqueSort(s.apply(this)))},t=k.expr={cacheLength:50,createPseudo:te,match:U,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(X,K),e[3]=(e[3]||e[4]||e[5]||"").replace(X,K),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||Q.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&Q.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return U.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&Y.test(n)&&(t=ue(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(X,K).toLowerCase();return"*"===e?function(){return!0}:function(e){return P(e,t)}},CLASS:function(e){var t=y[e+" "];return t||(t=new RegExp("(^|"+S+")"+e+"("+S+"|$)"))&&y(e,(function(e){return t.test("string"==typeof e.className&&e.className||void 0!==e.getAttribute&&e.getAttribute("class")||"")}))},ATTR:function(e,t,n){return function(a){var r=Q.attr(a,e);return null==r?"!="===t:!t||(r+="","="===t?r===n:"!="===t?r!==n:"^="===t?n&&0===r.indexOf(n):"*="===t?n&&r.indexOf(n)>-1:"$="===t?n&&r.slice(-n.length)===n:"~="===t?(" "+r.replace(R," ")+" ").indexOf(n)>-1:"|="===t&&(r===n||r.slice(0,n.length+1)===n+"-"))}},CHILD:function(e,t,n,a,r){var o="nth"!==e.slice(0,3),i="last"!==e.slice(-4),s="of-type"===t;return 1===a&&0===r?function(e){return!!e.parentNode}:function(t,n,l){var c,u,d,h,f,p=o!==i?"nextSibling":"previousSibling",m=t.parentNode,v=s&&t.nodeName.toLowerCase(),b=!l&&!s,y=!1;if(m){if(o){for(;p;){for(d=t;d=d[p];)if(s?P(d,v):1===d.nodeType)return!1;f=p="only"===e&&!f&&"nextSibling"}return!0}if(f=[i?m.firstChild:m.lastChild],i&&b){for(y=(h=(c=(u=m[g]||(m[g]={}))[e]||[])[0]===_&&c[1])&&c[2],d=h&&m.childNodes[h];d=++h&&d&&d[p]||(y=h=0)||f.pop();)if(1===d.nodeType&&++y&&d===t){u[e]=[_,h,y];break}}else if(b&&(y=h=(c=(u=t[g]||(t[g]={}))[e]||[])[0]===_&&c[1]),!1===y)for(;(d=++h&&d&&d[p]||(y=h=0)||f.pop())&&(!(s?P(d,v):1===d.nodeType)||!++y||(b&&((u=d[g]||(d[g]={}))[e]=[_,y]),d!==t)););return(y-=r)===a||y%a==0&&y/a>=0}}},PSEUDO:function(e,n){var a,r=t.pseudos[e]||t.setFilters[e.toLowerCase()]||Q.error("unsupported pseudo: "+e);return r[g]?r(n):r.length>1?(a=[e,e,"",n],t.setFilters.hasOwnProperty(e.toLowerCase())?te((function(e,t){for(var a,o=r(e,n),i=o.length;i--;)e[a=u.call(e,o[i])]=!(t[a]=o[i])})):function(e){return r(e,0,a)}):r}},pseudos:{not:te((function(e){var t=[],n=[],a=ge(e.replace(A,"$1"));return a[g]?te((function(e,t,n,r){for(var o,i=a(e,null,r,[]),s=e.length;s--;)(o=i[s])&&(e[s]=!(t[s]=o))})):function(e,r,o){return t[0]=e,a(t,null,o,n),t[0]=null,!n.pop()}})),has:te((function(e){return function(t){return Q(e,t).length>0}})),contains:te((function(e){return e=e.replace(X,K),function(t){return(t.textContent||k.text(t)).indexOf(e)>-1}})),lang:te((function(e){return j.test(e||"")||Q.error("unsupported lang: "+e),e=e.replace(X,K).toLowerCase(),function(t){var n;do{if(n=d?t.lang:t.getAttribute("xml:lang")||t.getAttribute("lang"))return(n=n.toLowerCase())===e||0===n.indexOf(e+"-")}while((t=t.parentNode)&&1===t.nodeType);return!1}})),target:function(e){var t=a.location&&a.location.hash;return t&&t.slice(1)===e.id},root:function(e){return e===c},focus:function(e){return e===function(){try{return l.activeElement}catch(e){}}()&&l.hasFocus()&&!!(e.type||e.href||~e.tabIndex)},enabled:oe(!1),disabled:oe(!0),checked:function(e){return P(e,"input")&&!!e.checked||P(e,"option")&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!t.pseudos.empty(e)},header:function(e){return W.test(e.nodeName)},input:function(e){return $.test(e.nodeName)},button:function(e){return P(e,"input")&&"button"===e.type||P(e,"button")},text:function(e){var t;return P(e,"input")&&"text"===e.type&&(null==(t=e.getAttribute("type"))||"text"===t.toLowerCase())},first:ie((function(){return[0]})),last:ie((function(e,t){return[t-1]})),eq:ie((function(e,t,n){return[n<0?n+t:n]})),even:ie((function(e,t){for(var n=0;nt?t:n;--a>=0;)e.push(a);return e})),gt:ie((function(e,t,n){for(var a=n<0?n+t:n;++a1?function(t,n,a){for(var r=e.length;r--;)if(!e[r](t,n,a))return!1;return!0}:e[0]}function pe(e,t,n,a,r){for(var o,i=[],s=0,l=e.length,c=null!=t;s-1&&(o[c]=!(i[c]=h))}}else f=pe(f===i?f.splice(g,f.length):f),r?r(null,i,f,l):m.apply(i,f)}))}function ve(e){for(var a,r,o,i=e.length,s=t.relative[e[0].type],l=s||t.relative[" "],c=s?1:0,d=he((function(e){return e===a}),l,!0),h=he((function(e){return u.call(a,e)>-1}),l,!0),f=[function(e,t,r){var o=!s&&(r||t!=n)||((a=t).nodeType?d(e,t,r):h(e,t,r));return a=null,o}];c1&&fe(f),c>1&&de(e.slice(0,c-1).concat({value:" "===e[c-2].type?"*":""})).replace(A,"$1"),r,c0,o=e.length>0,i=function(i,s,c,u,h){var f,p,v,g=0,b="0",y=i&&[],I=[],M=n,w=i||o&&t.find.TAG("*",h),B=_+=null==M?1:Math.random()||.1,T=w.length;for(h&&(n=s==l||s||h);b!==T&&null!=(f=w[b]);b++){if(o&&f){for(p=0,s||f.ownerDocument==l||(le(f),c=!d);v=e[p++];)if(v(f,s||l,c)){m.call(u,f);break}h&&(_=B)}r&&((f=!v&&f)&&g--,i&&y.push(f))}if(g+=b,r&&b!==g){for(p=0;v=a[p++];)v(y,I,s,c);if(i){if(g>0)for(;b--;)y[b]||I[b]||(I[b]=E.call(u));I=pe(I)}m.apply(u,I),h&&!i&&I.length>0&&g+a.length>1&&k.uniqueSort(u)}return h&&(_=B,n=M),y};return r?te(i):i}(i,o)),s.selector=e}return s}function _e(e,n,a,r){var o,i,s,l,c,u="function"==typeof e&&e,h=!r&&ue(e=u.selector||e);if(a=a||[],1===h.length){if((i=h[0]=h[0].slice(0)).length>2&&"ID"===(s=i[0]).type&&9===n.nodeType&&d&&t.relative[i[1].type]){if(!(n=(t.find.ID(s.matches[0].replace(X,K),n)||[])[0]))return a;u&&(n=n.parentNode),e=e.slice(i.shift().value.length)}for(o=U.needsContext.test(e)?0:i.length;o--&&(s=i[o],!t.relative[l=s.type]);)if((c=t.find[l])&&(r=c(s.matches[0].replace(X,K),q.test(i[0].type)&&se(n.parentNode)||n))){if(i.splice(o,1),!(e=r.length&&de(i)))return m.apply(a,r),a;break}}return(u||ge(e,h))(r,n,!d,a,!n||q.test(e)&&se(n.parentNode)||n),a}ce.prototype=t.filters=t.pseudos,t.setFilters=new ce,v.sortStable=g.split("").sort(B).join("")===g,le(),v.sortDetached=ne((function(e){return 1&e.compareDocumentPosition(l.createElement("fieldset"))})),k.find=Q,k.expr[":"]=k.expr.pseudos,k.unique=k.uniqueSort,Q.compile=ge,Q.select=_e,Q.setDocument=le,Q.escape=k.escapeSelector,Q.getText=k.text,Q.isXML=k.isXMLDoc,Q.selectors=k.expr,Q.support=k.support,Q.uniqueSort=k.uniqueSort}();var F=function(e,t,n){for(var a=[],r=void 0!==n;(e=e[t])&&9!==e.nodeType;)if(1===e.nodeType){if(r&&k(e).is(n))break;a.push(e)}return a},R=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},N=k.expr.match.needsContext,H=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function V(e,t,n){return g(t)?k.grep(e,(function(e,a){return!!t.call(e,a,e)!==n})):t.nodeType?k.grep(e,(function(e){return e===t!==n})):"string"!=typeof t?k.grep(e,(function(e){return u.call(t,e)>-1!==n})):k.filter(t,e,n)}k.filter=function(e,t,n){var a=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===a.nodeType?k.find.matchesSelector(a,e)?[a]:[]:k.find.matches(e,k.grep(t,(function(e){return 1===e.nodeType})))},k.fn.extend({find:function(e){var t,n,a=this.length,r=this;if("string"!=typeof e)return this.pushStack(k(e).filter((function(){for(t=0;t1?k.uniqueSort(n):n},filter:function(e){return this.pushStack(V(this,e||[],!1))},not:function(e){return this.pushStack(V(this,e||[],!0))},is:function(e){return!!V(this,"string"==typeof e&&N.test(e)?k(e):e||[],!1).length}});var Y,j=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/;(k.fn.init=function(e,t,n){var a,r;if(!e)return this;if(n=n||Y,"string"==typeof e){if(!(a="<"===e[0]&&">"===e[e.length-1]&&e.length>=3?[null,e,null]:j.exec(e))||!a[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(a[1]){if(t=t instanceof k?t[0]:t,k.merge(this,k.parseHTML(a[1],t&&t.nodeType?t.ownerDocument||t:b,!0)),H.test(a[1])&&k.isPlainObject(t))for(a in t)g(this[a])?this[a](t[a]):this.attr(a,t[a]);return this}return(r=b.getElementById(a[2]))&&(this[0]=r,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):g(e)?void 0!==n.ready?n.ready(e):e(k):k.makeArray(e,this)}).prototype=k.fn,Y=k(b);var U=/^(?:parents|prev(?:Until|All))/,$={children:!0,contents:!0,next:!0,prev:!0};function W(e,t){for(;(e=e[t])&&1!==e.nodeType;);return e}k.fn.extend({has:function(e){var t=k(e,this),n=t.length;return this.filter((function(){for(var e=0;e-1:1===n.nodeType&&k.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(o.length>1?k.uniqueSort(o):o)},index:function(e){return e?"string"==typeof e?u.call(k(e),this[0]):u.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(k.uniqueSort(k.merge(this.get(),k(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),k.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return F(e,"parentNode")},parentsUntil:function(e,t,n){return F(e,"parentNode",n)},next:function(e){return W(e,"nextSibling")},prev:function(e){return W(e,"previousSibling")},nextAll:function(e){return F(e,"nextSibling")},prevAll:function(e){return F(e,"previousSibling")},nextUntil:function(e,t,n){return F(e,"nextSibling",n)},prevUntil:function(e,t,n){return F(e,"previousSibling",n)},siblings:function(e){return R((e.parentNode||{}).firstChild,e)},children:function(e){return R(e.firstChild)},contents:function(e){return null!=e.contentDocument&&i(e.contentDocument)?e.contentDocument:(P(e,"template")&&(e=e.content||e),k.merge([],e.childNodes))}},(function(e,t){k.fn[e]=function(n,a){var r=k.map(this,t,n);return"Until"!==e.slice(-5)&&(a=n),a&&"string"==typeof a&&(r=k.filter(a,r)),this.length>1&&($[e]||k.uniqueSort(r),U.test(e)&&r.reverse()),this.pushStack(r)}}));var G=/[^\x20\t\r\n\f]+/g;function q(e){return e}function X(e){throw e}function K(e,t,n,a){var r;try{e&&g(r=e.promise)?r.call(e).done(t).fail(n):e&&g(r=e.then)?r.call(e,t,n):t.apply(void 0,[e].slice(a))}catch(e){n.apply(void 0,[e])}}k.Callbacks=function(e){e="string"==typeof e?function(e){var t={};return k.each(e.match(G)||[],(function(e,n){t[n]=!0})),t}(e):k.extend({},e);var t,n,a,r,o=[],i=[],s=-1,l=function(){for(r=r||e.once,a=t=!0;i.length;s=-1)for(n=i.shift();++s-1;)o.splice(n,1),n<=s&&s--})),this},has:function(e){return e?k.inArray(e,o)>-1:o.length>0},empty:function(){return o&&(o=[]),this},disable:function(){return r=i=[],o=n="",this},disabled:function(){return!o},lock:function(){return r=i=[],n||t||(o=n=""),this},locked:function(){return!!r},fireWith:function(e,n){return r||(n=[e,(n=n||[]).slice?n.slice():n],i.push(n),t||l()),this},fire:function(){return c.fireWith(this,arguments),this},fired:function(){return!!a}};return c},k.extend({Deferred:function(e){var t=[["notify","progress",k.Callbacks("memory"),k.Callbacks("memory"),2],["resolve","done",k.Callbacks("once memory"),k.Callbacks("once memory"),0,"resolved"],["reject","fail",k.Callbacks("once memory"),k.Callbacks("once memory"),1,"rejected"]],n="pending",r={state:function(){return n},always:function(){return o.done(arguments).fail(arguments),this},catch:function(e){return r.then(null,e)},pipe:function(){var e=arguments;return k.Deferred((function(n){k.each(t,(function(t,a){var r=g(e[a[4]])&&e[a[4]];o[a[1]]((function(){var e=r&&r.apply(this,arguments);e&&g(e.promise)?e.promise().progress(n.notify).done(n.resolve).fail(n.reject):n[a[0]+"With"](this,r?[e]:arguments)}))})),e=null})).promise()},then:function(e,n,r){var o=0;function i(e,t,n,r){return function(){var s=this,l=arguments,c=function(){var a,c;if(!(e=o&&(n!==X&&(s=void 0,l=[a]),t.rejectWith(s,l))}};e?u():(k.Deferred.getErrorHook?u.error=k.Deferred.getErrorHook():k.Deferred.getStackHook&&(u.error=k.Deferred.getStackHook()),a.setTimeout(u))}}return k.Deferred((function(a){t[0][3].add(i(0,a,g(r)?r:q,a.notifyWith)),t[1][3].add(i(0,a,g(e)?e:q)),t[2][3].add(i(0,a,g(n)?n:X))})).promise()},promise:function(e){return null!=e?k.extend(e,r):r}},o={};return k.each(t,(function(e,a){var i=a[2],s=a[5];r[a[1]]=i.add,s&&i.add((function(){n=s}),t[3-e][2].disable,t[3-e][3].disable,t[0][2].lock,t[0][3].lock),i.add(a[3].fire),o[a[0]]=function(){return o[a[0]+"With"](this===o?void 0:this,arguments),this},o[a[0]+"With"]=i.fireWith})),r.promise(o),e&&e.call(o,o),o},when:function(e){var t=arguments.length,n=t,a=Array(n),r=s.call(arguments),o=k.Deferred(),i=function(e){return function(n){a[e]=this,r[e]=arguments.length>1?s.call(arguments):n,--t||o.resolveWith(a,r)}};if(t<=1&&(K(e,o.done(i(n)).resolve,o.reject,!t),"pending"===o.state()||g(r[n]&&r[n].then)))return o.then();for(;n--;)K(r[n],i(n),o.reject);return o.promise()}});var J=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;k.Deferred.exceptionHook=function(e,t){a.console&&a.console.warn&&e&&J.test(e.name)&&a.console.warn("jQuery.Deferred exception: "+e.message,e.stack,t)},k.readyException=function(e){a.setTimeout((function(){throw e}))};var Z=k.Deferred();function Q(){b.removeEventListener("DOMContentLoaded",Q),a.removeEventListener("load",Q),k.ready()}k.fn.ready=function(e){return Z.then(e).catch((function(e){k.readyException(e)})),this},k.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--k.readyWait:k.isReady)||(k.isReady=!0,!0!==e&&--k.readyWait>0||Z.resolveWith(b,[k]))}}),k.ready.then=Z.then,"complete"===b.readyState||"loading"!==b.readyState&&!b.documentElement.doScroll?a.setTimeout(k.ready):(b.addEventListener("DOMContentLoaded",Q),a.addEventListener("load",Q));var ee=function(e,t,n,a,r,o,i){var s=0,l=e.length,c=null==n;if("object"===M(n))for(s in r=!0,n)ee(e,t,s,n[s],!0,o,i);else if(void 0!==a&&(r=!0,g(a)||(i=!0),c&&(i?(t.call(e,a),t=null):(c=t,t=function(e,t,n){return c.call(k(e),n)})),t))for(;s1,null,!0)},removeData:function(e){return this.each((function(){le.remove(this,e)}))}}),k.extend({queue:function(e,t,n){var a;if(e)return t=(t||"fx")+"queue",a=se.get(e,t),n&&(!a||Array.isArray(n)?a=se.access(e,t,k.makeArray(n)):a.push(n)),a||[]},dequeue:function(e,t){t=t||"fx";var n=k.queue(e,t),a=n.length,r=n.shift(),o=k._queueHooks(e,t);"inprogress"===r&&(r=n.shift(),a--),r&&("fx"===t&&n.unshift("inprogress"),delete o.stop,r.call(e,(function(){k.dequeue(e,t)}),o)),!a&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return se.get(e,n)||se.access(e,n,{empty:k.Callbacks("once memory").add((function(){se.remove(e,[t+"queue",n])}))})}}),k.fn.extend({queue:function(e,t){var n=2;return"string"!=typeof e&&(t=e,e="fx",n--),arguments.length\x20\t\r\n\f]*)/i,Pe=/^$|^module$|\/(?:java|ecma)script/i;we=b.createDocumentFragment().appendChild(b.createElement("div")),(Be=b.createElement("input")).setAttribute("type","radio"),Be.setAttribute("checked","checked"),Be.setAttribute("name","t"),we.appendChild(Be),v.checkClone=we.cloneNode(!0).cloneNode(!0).lastChild.checked,we.innerHTML="",v.noCloneChecked=!!we.cloneNode(!0).lastChild.defaultValue,we.innerHTML="",v.option=!!we.lastChild;var Ee={thead:[1,"","
"],col:[2,"","
"],tr:[2,"","
"],td:[3,"","
"],_default:[0,"",""]};function xe(e,t){var n;return n=void 0!==e.getElementsByTagName?e.getElementsByTagName(t||"*"):void 0!==e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&P(e,t)?k.merge([e],n):n}function Oe(e,t){for(var n=0,a=e.length;n",""]);var Se=/<|&#?\w+;/;function Ae(e,t,n,a,r){for(var o,i,s,l,c,u,d=t.createDocumentFragment(),h=[],f=0,p=e.length;f-1)r&&r.push(o);else if(c=ve(o),i=xe(d.appendChild(o),"script"),c&&Oe(i),n)for(u=0;o=i[u++];)Pe.test(o.type||"")&&n.push(o);return d}var Le=/^([^.]*)(?:\.(.+)|)/;function Ce(){return!0}function ze(){return!1}function De(e,t,n,a,r,o){var i,s;if("object"==typeof t){for(s in"string"!=typeof n&&(a=a||n,n=void 0),t)De(e,s,n,a,t[s],o);return e}if(null==a&&null==r?(r=n,a=n=void 0):null==r&&("string"==typeof n?(r=a,a=void 0):(r=a,a=n,n=void 0)),!1===r)r=ze;else if(!r)return e;return 1===o&&(i=r,r=function(e){return k().off(e),i.apply(this,arguments)},r.guid=i.guid||(i.guid=k.guid++)),e.each((function(){k.event.add(this,t,r,a,n)}))}function Fe(e,t,n){n?(se.set(e,t,!1),k.event.add(e,t,{namespace:!1,handler:function(e){var n,a=se.get(this,t);if(1&e.isTrigger&&this[t]){if(a)(k.event.special[t]||{}).delegateType&&e.stopPropagation();else if(a=s.call(arguments),se.set(this,t,a),this[t](),n=se.get(this,t),se.set(this,t,!1),a!==n)return e.stopImmediatePropagation(),e.preventDefault(),n}else a&&(se.set(this,t,k.event.trigger(a[0],a.slice(1),this)),e.stopPropagation(),e.isImmediatePropagationStopped=Ce)}})):void 0===se.get(e,t)&&k.event.add(e,t,Ce)}k.event={global:{},add:function(e,t,n,a,r){var o,i,s,l,c,u,d,h,f,p,m,v=se.get(e);if(oe(e))for(n.handler&&(n=(o=n).handler,r=o.selector),r&&k.find.matchesSelector(me,r),n.guid||(n.guid=k.guid++),(l=v.events)||(l=v.events=Object.create(null)),(i=v.handle)||(i=v.handle=function(t){return void 0!==k&&k.event.triggered!==t.type?k.event.dispatch.apply(e,arguments):void 0}),c=(t=(t||"").match(G)||[""]).length;c--;)f=m=(s=Le.exec(t[c])||[])[1],p=(s[2]||"").split(".").sort(),f&&(d=k.event.special[f]||{},f=(r?d.delegateType:d.bindType)||f,d=k.event.special[f]||{},u=k.extend({type:f,origType:m,data:a,handler:n,guid:n.guid,selector:r,needsContext:r&&k.expr.match.needsContext.test(r),namespace:p.join(".")},o),(h=l[f])||((h=l[f]=[]).delegateCount=0,d.setup&&!1!==d.setup.call(e,a,p,i)||e.addEventListener&&e.addEventListener(f,i)),d.add&&(d.add.call(e,u),u.handler.guid||(u.handler.guid=n.guid)),r?h.splice(h.delegateCount++,0,u):h.push(u),k.event.global[f]=!0)},remove:function(e,t,n,a,r){var o,i,s,l,c,u,d,h,f,p,m,v=se.hasData(e)&&se.get(e);if(v&&(l=v.events)){for(c=(t=(t||"").match(G)||[""]).length;c--;)if(f=m=(s=Le.exec(t[c])||[])[1],p=(s[2]||"").split(".").sort(),f){for(d=k.event.special[f]||{},h=l[f=(a?d.delegateType:d.bindType)||f]||[],s=s[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=o=h.length;o--;)u=h[o],!r&&m!==u.origType||n&&n.guid!==u.guid||s&&!s.test(u.namespace)||a&&a!==u.selector&&("**"!==a||!u.selector)||(h.splice(o,1),u.selector&&h.delegateCount--,d.remove&&d.remove.call(e,u));i&&!h.length&&(d.teardown&&!1!==d.teardown.call(e,p,v.handle)||k.removeEvent(e,f,v.handle),delete l[f])}else for(f in l)k.event.remove(e,f+t[c],n,a,!0);k.isEmptyObject(l)&&se.remove(e,"handle events")}},dispatch:function(e){var t,n,a,r,o,i,s=new Array(arguments.length),l=k.event.fix(e),c=(se.get(this,"events")||Object.create(null))[l.type]||[],u=k.event.special[l.type]||{};for(s[0]=l,t=1;t=1))for(;c!==this;c=c.parentNode||this)if(1===c.nodeType&&("click"!==e.type||!0!==c.disabled)){for(o=[],i={},n=0;n-1:k.find(r,this,null,[c]).length),i[r]&&o.push(a);o.length&&s.push({elem:c,handlers:o})}return c=this,l\s*$/g;function Ve(e,t){return P(e,"table")&&P(11!==t.nodeType?t:t.firstChild,"tr")&&k(e).children("tbody")[0]||e}function Ye(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function je(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Ue(e,t){var n,a,r,o,i,s;if(1===t.nodeType){if(se.hasData(e)&&(s=se.get(e).events))for(r in se.remove(t,"handle events"),s)for(n=0,a=s[r].length;n1&&"string"==typeof p&&!v.checkClone&&Ne.test(p))return e.each((function(r){var o=e.eq(r);m&&(t[0]=p.call(this,r,o.html())),We(o,t,n,a)}));if(h&&(o=(r=Ae(t,e[0].ownerDocument,!1,e,a)).firstChild,1===r.childNodes.length&&(r=o),o||a)){for(s=(i=k.map(xe(r,"script"),Ye)).length;d0&&Oe(i,!l&&xe(e,"script")),s},cleanData:function(e){for(var t,n,a,r=k.event.special,o=0;void 0!==(n=e[o]);o++)if(oe(n)){if(t=n[se.expando]){if(t.events)for(a in t.events)r[a]?k.event.remove(n,a):k.removeEvent(n,a,t.handle);n[se.expando]=void 0}n[le.expando]&&(n[le.expando]=void 0)}}}),k.fn.extend({detach:function(e){return Ge(this,e,!0)},remove:function(e){return Ge(this,e)},text:function(e){return ee(this,(function(e){return void 0===e?k.text(this):this.empty().each((function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)}))}),null,e,arguments.length)},append:function(){return We(this,arguments,(function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||Ve(this,e).appendChild(e)}))},prepend:function(){return We(this,arguments,(function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Ve(this,e);t.insertBefore(e,t.firstChild)}}))},before:function(){return We(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this)}))},after:function(){return We(this,arguments,(function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)}))},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(k.cleanData(xe(e,!1)),e.textContent="");return this},clone:function(e,t){return e=null!=e&&e,t=null==t?e:t,this.map((function(){return k.clone(this,e,t)}))},html:function(e){return ee(this,(function(e){var t=this[0]||{},n=0,a=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if("string"==typeof e&&!Re.test(e)&&!Ee[(Te.exec(e)||["",""])[1].toLowerCase()]){e=k.htmlPrefilter(e);try{for(;n=0&&(l+=Math.max(0,Math.ceil(e["offset"+t[0].toUpperCase()+t.slice(1)]-o-l-s-.5))||0),l+c}function ut(e,t,n){var a=Ke(e),r=(!v.boxSizingReliable()||n)&&"border-box"===k.css(e,"boxSizing",!1,a),o=r,i=Qe(e,t,a),s="offset"+t[0].toUpperCase()+t.slice(1);if(qe.test(i)){if(!n)return i;i="auto"}return(!v.boxSizingReliable()&&r||!v.reliableTrDimensions()&&P(e,"tr")||"auto"===i||!parseFloat(i)&&"inline"===k.css(e,"display",!1,a))&&e.getClientRects().length&&(r="border-box"===k.css(e,"boxSizing",!1,a),(o=s in e)&&(i=e[s])),(i=parseFloat(i)||0)+ct(e,t,n||(r?"border":"content"),o,a,i)+"px"}function dt(e,t,n,a,r){return new dt.prototype.init(e,t,n,a,r)}k.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Qe(e,"opacity");return""===n?"1":n}}}},cssNumber:{animationIterationCount:!0,aspectRatio:!0,borderImageSlice:!0,columnCount:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,gridArea:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnStart:!0,gridRow:!0,gridRowEnd:!0,gridRowStart:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,scale:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeMiterlimit:!0,strokeOpacity:!0},cssProps:{},style:function(e,t,n,a){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var r,o,i,s=re(t),l=Xe.test(t),c=e.style;if(l||(t=rt(s)),i=k.cssHooks[t]||k.cssHooks[s],void 0===n)return i&&"get"in i&&void 0!==(r=i.get(e,!1,a))?r:c[t];"string"===(o=typeof n)&&(r=fe.exec(n))&&r[1]&&(n=be(e,t,r),o="number"),null!=n&&n==n&&("number"!==o||l||(n+=r&&r[3]||(k.cssNumber[s]?"":"px")),v.clearCloneStyle||""!==n||0!==t.indexOf("background")||(c[t]="inherit"),i&&"set"in i&&void 0===(n=i.set(e,n,a))||(l?c.setProperty(t,n):c[t]=n))}},css:function(e,t,n,a){var r,o,i,s=re(t);return Xe.test(t)||(t=rt(s)),(i=k.cssHooks[t]||k.cssHooks[s])&&"get"in i&&(r=i.get(e,!0,n)),void 0===r&&(r=Qe(e,t,a)),"normal"===r&&t in st&&(r=st[t]),""===n||n?(o=parseFloat(r),!0===n||isFinite(o)?o||0:r):r}}),k.each(["height","width"],(function(e,t){k.cssHooks[t]={get:function(e,n,a){if(n)return!ot.test(k.css(e,"display"))||e.getClientRects().length&&e.getBoundingClientRect().width?ut(e,t,a):Je(e,it,(function(){return ut(e,t,a)}))},set:function(e,n,a){var r,o=Ke(e),i=!v.scrollboxSize()&&"absolute"===o.position,s=(i||a)&&"border-box"===k.css(e,"boxSizing",!1,o),l=a?ct(e,t,a,s,o):0;return s&&i&&(l-=Math.ceil(e["offset"+t[0].toUpperCase()+t.slice(1)]-parseFloat(o[t])-ct(e,t,"border",!1,o)-.5)),l&&(r=fe.exec(n))&&"px"!==(r[3]||"px")&&(e.style[t]=n,n=k.css(e,t)),lt(0,n,l)}}})),k.cssHooks.marginLeft=et(v.reliableMarginLeft,(function(e,t){if(t)return(parseFloat(Qe(e,"marginLeft"))||e.getBoundingClientRect().left-Je(e,{marginLeft:0},(function(){return e.getBoundingClientRect().left})))+"px"})),k.each({margin:"",padding:"",border:"Width"},(function(e,t){k.cssHooks[e+t]={expand:function(n){for(var a=0,r={},o="string"==typeof n?n.split(" "):[n];a<4;a++)r[e+pe[a]+t]=o[a]||o[a-2]||o[0];return r}},"margin"!==e&&(k.cssHooks[e+t].set=lt)})),k.fn.extend({css:function(e,t){return ee(this,(function(e,t,n){var a,r,o={},i=0;if(Array.isArray(t)){for(a=Ke(e),r=t.length;i1)}}),k.Tween=dt,dt.prototype={constructor:dt,init:function(e,t,n,a,r,o){this.elem=e,this.prop=n,this.easing=r||k.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=a,this.unit=o||(k.cssNumber[n]?"":"px")},cur:function(){var e=dt.propHooks[this.prop];return e&&e.get?e.get(this):dt.propHooks._default.get(this)},run:function(e){var t,n=dt.propHooks[this.prop];return this.options.duration?this.pos=t=k.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):dt.propHooks._default.set(this),this}},dt.prototype.init.prototype=dt.prototype,dt.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=k.css(e.elem,e.prop,""))&&"auto"!==t?t:0},set:function(e){k.fx.step[e.prop]?k.fx.step[e.prop](e):1!==e.elem.nodeType||!k.cssHooks[e.prop]&&null==e.elem.style[rt(e.prop)]?e.elem[e.prop]=e.now:k.style(e.elem,e.prop,e.now+e.unit)}}},dt.propHooks.scrollTop=dt.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},k.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:"swing"},k.fx=dt.prototype.init,k.fx.step={};var ht,ft,pt=/^(?:toggle|show|hide)$/,mt=/queueHooks$/;function vt(){ft&&(!1===b.hidden&&a.requestAnimationFrame?a.requestAnimationFrame(vt):a.setTimeout(vt,k.fx.interval),k.fx.tick())}function gt(){return a.setTimeout((function(){ht=void 0})),ht=Date.now()}function _t(e,t){var n,a=0,r={height:e};for(t=t?1:0;a<4;a+=2-t)r["margin"+(n=pe[a])]=r["padding"+n]=e;return t&&(r.opacity=r.width=e),r}function bt(e,t,n){for(var a,r=(yt.tweeners[t]||[]).concat(yt.tweeners["*"]),o=0,i=r.length;o1)},removeAttr:function(e){return this.each((function(){k.removeAttr(this,e)}))}}),k.extend({attr:function(e,t,n){var a,r,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return void 0===e.getAttribute?k.prop(e,t,n):(1===o&&k.isXMLDoc(e)||(r=k.attrHooks[t.toLowerCase()]||(k.expr.match.bool.test(t)?It:void 0)),void 0!==n?null===n?void k.removeAttr(e,t):r&&"set"in r&&void 0!==(a=r.set(e,n,t))?a:(e.setAttribute(t,n+""),n):r&&"get"in r&&null!==(a=r.get(e,t))?a:null==(a=k.find.attr(e,t))?void 0:a)},attrHooks:{type:{set:function(e,t){if(!v.radioValue&&"radio"===t&&P(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,a=0,r=t&&t.match(G);if(r&&1===e.nodeType)for(;n=r[a++];)e.removeAttribute(n)}}),It={set:function(e,t,n){return!1===t?k.removeAttr(e,n):e.setAttribute(n,n),n}},k.each(k.expr.match.bool.source.match(/\w+/g),(function(e,t){var n=Mt[t]||k.find.attr;Mt[t]=function(e,t,a){var r,o,i=t.toLowerCase();return a||(o=Mt[i],Mt[i]=r,r=null!=n(e,t,a)?i:null,Mt[i]=o),r}}));var wt=/^(?:input|select|textarea|button)$/i,Bt=/^(?:a|area)$/i;function kt(e){return(e.match(G)||[]).join(" ")}function Tt(e){return e.getAttribute&&e.getAttribute("class")||""}function Pt(e){return Array.isArray(e)?e:"string"==typeof e&&e.match(G)||[]}k.fn.extend({prop:function(e,t){return ee(this,k.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each((function(){delete this[k.propFix[e]||e]}))}}),k.extend({prop:function(e,t,n){var a,r,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return 1===o&&k.isXMLDoc(e)||(t=k.propFix[t]||t,r=k.propHooks[t]),void 0!==n?r&&"set"in r&&void 0!==(a=r.set(e,n,t))?a:e[t]=n:r&&"get"in r&&null!==(a=r.get(e,t))?a:e[t]},propHooks:{tabIndex:{get:function(e){var t=k.find.attr(e,"tabindex");return t?parseInt(t,10):wt.test(e.nodeName)||Bt.test(e.nodeName)&&e.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),v.optSelected||(k.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),k.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],(function(){k.propFix[this.toLowerCase()]=this})),k.fn.extend({addClass:function(e){var t,n,a,r,o,i;return g(e)?this.each((function(t){k(this).addClass(e.call(this,t,Tt(this)))})):(t=Pt(e)).length?this.each((function(){if(a=Tt(this),n=1===this.nodeType&&" "+kt(a)+" "){for(o=0;o-1;)n=n.replace(" "+r+" "," ");i=kt(n),a!==i&&this.setAttribute("class",i)}})):this:this.attr("class","")},toggleClass:function(e,t){var n,a,r,o,i=typeof e,s="string"===i||Array.isArray(e);return g(e)?this.each((function(n){k(this).toggleClass(e.call(this,n,Tt(this),t),t)})):"boolean"==typeof t&&s?t?this.addClass(e):this.removeClass(e):(n=Pt(e),this.each((function(){if(s)for(o=k(this),r=0;r-1)return!0;return!1}});var Et=/\r/g;k.fn.extend({val:function(e){var t,n,a,r=this[0];return arguments.length?(a=g(e),this.each((function(n){var r;1===this.nodeType&&(null==(r=a?e.call(this,n,k(this).val()):e)?r="":"number"==typeof r?r+="":Array.isArray(r)&&(r=k.map(r,(function(e){return null==e?"":e+""}))),(t=k.valHooks[this.type]||k.valHooks[this.nodeName.toLowerCase()])&&"set"in t&&void 0!==t.set(this,r,"value")||(this.value=r))}))):r?(t=k.valHooks[r.type]||k.valHooks[r.nodeName.toLowerCase()])&&"get"in t&&void 0!==(n=t.get(r,"value"))?n:"string"==typeof(n=r.value)?n.replace(Et,""):null==n?"":n:void 0}}),k.extend({valHooks:{option:{get:function(e){var t=k.find.attr(e,"value");return null!=t?t:kt(k.text(e))}},select:{get:function(e){var t,n,a,r=e.options,o=e.selectedIndex,i="select-one"===e.type,s=i?null:[],l=i?o+1:r.length;for(a=o<0?l:i?o:0;a-1)&&(n=!0);return n||(e.selectedIndex=-1),o}}}}),k.each(["radio","checkbox"],(function(){k.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=k.inArray(k(e).val(),t)>-1}},v.checkOn||(k.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})}));var xt=a.location,Ot={guid:Date.now()},St=/\?/;k.parseXML=function(e){var t,n;if(!e||"string"!=typeof e)return null;try{t=(new a.DOMParser).parseFromString(e,"text/xml")}catch(e){}return n=t&&t.getElementsByTagName("parsererror")[0],t&&!n||k.error("Invalid XML: "+(n?k.map(n.childNodes,(function(e){return e.textContent})).join("\n"):e)),t};var At=/^(?:focusinfocus|focusoutblur)$/,Lt=function(e){e.stopPropagation()};k.extend(k.event,{trigger:function(e,t,n,r){var o,i,s,l,c,u,d,h,p=[n||b],m=f.call(e,"type")?e.type:e,v=f.call(e,"namespace")?e.namespace.split("."):[];if(i=h=s=n=n||b,3!==n.nodeType&&8!==n.nodeType&&!At.test(m+k.event.triggered)&&(m.indexOf(".")>-1&&(v=m.split("."),m=v.shift(),v.sort()),c=m.indexOf(":")<0&&"on"+m,(e=e[k.expando]?e:new k.Event(m,"object"==typeof e&&e)).isTrigger=r?2:3,e.namespace=v.join("."),e.rnamespace=e.namespace?new RegExp("(^|\\.)"+v.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,e.result=void 0,e.target||(e.target=n),t=null==t?[e]:k.makeArray(t,[e]),d=k.event.special[m]||{},r||!d.trigger||!1!==d.trigger.apply(n,t))){if(!r&&!d.noBubble&&!_(n)){for(l=d.delegateType||m,At.test(l+m)||(i=i.parentNode);i;i=i.parentNode)p.push(i),s=i;s===(n.ownerDocument||b)&&p.push(s.defaultView||s.parentWindow||a)}for(o=0;(i=p[o++])&&!e.isPropagationStopped();)h=i,e.type=o>1?l:d.bindType||m,(u=(se.get(i,"events")||Object.create(null))[e.type]&&se.get(i,"handle"))&&u.apply(i,t),(u=c&&i[c])&&u.apply&&oe(i)&&(e.result=u.apply(i,t),!1===e.result&&e.preventDefault());return e.type=m,r||e.isDefaultPrevented()||d._default&&!1!==d._default.apply(p.pop(),t)||!oe(n)||c&&g(n[m])&&!_(n)&&((s=n[c])&&(n[c]=null),k.event.triggered=m,e.isPropagationStopped()&&h.addEventListener(m,Lt),n[m](),e.isPropagationStopped()&&h.removeEventListener(m,Lt),k.event.triggered=void 0,s&&(n[c]=s)),e.result}},simulate:function(e,t,n){var a=k.extend(new k.Event,n,{type:e,isSimulated:!0});k.event.trigger(a,null,t)}}),k.fn.extend({trigger:function(e,t){return this.each((function(){k.event.trigger(e,t,this)}))},triggerHandler:function(e,t){var n=this[0];if(n)return k.event.trigger(e,t,n,!0)}});var Ct=/\[\]$/,zt=/\r?\n/g,Dt=/^(?:submit|button|image|reset|file)$/i,Ft=/^(?:input|select|textarea|keygen)/i;function Rt(e,t,n,a){var r;if(Array.isArray(t))k.each(t,(function(t,r){n||Ct.test(e)?a(e,r):Rt(e+"["+("object"==typeof r&&null!=r?t:"")+"]",r,n,a)}));else if(n||"object"!==M(t))a(e,t);else for(r in t)Rt(e+"["+r+"]",t[r],n,a)}k.param=function(e,t){var n,a=[],r=function(e,t){var n=g(t)?t():t;a[a.length]=encodeURIComponent(e)+"="+encodeURIComponent(null==n?"":n)};if(null==e)return"";if(Array.isArray(e)||e.jquery&&!k.isPlainObject(e))k.each(e,(function(){r(this.name,this.value)}));else for(n in e)Rt(n,e[n],t,r);return a.join("&")},k.fn.extend({serialize:function(){return k.param(this.serializeArray())},serializeArray:function(){return this.map((function(){var e=k.prop(this,"elements");return e?k.makeArray(e):this})).filter((function(){var e=this.type;return this.name&&!k(this).is(":disabled")&&Ft.test(this.nodeName)&&!Dt.test(e)&&(this.checked||!ke.test(e))})).map((function(e,t){var n=k(this).val();return null==n?null:Array.isArray(n)?k.map(n,(function(e){return{name:t.name,value:e.replace(zt,"\r\n")}})):{name:t.name,value:n.replace(zt,"\r\n")}})).get()}});var Nt=/%20/g,Ht=/#.*$/,Vt=/([?&])_=[^&]*/,Yt=/^(.*?):[ \t]*([^\r\n]*)$/gm,jt=/^(?:GET|HEAD)$/,Ut=/^\/\//,$t={},Wt={},Gt="*/".concat("*"),qt=b.createElement("a");function Xt(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var a,r=0,o=t.toLowerCase().match(G)||[];if(g(n))for(;a=o[r++];)"+"===a[0]?(a=a.slice(1)||"*",(e[a]=e[a]||[]).unshift(n)):(e[a]=e[a]||[]).push(n)}}function Kt(e,t,n,a){var r={},o=e===Wt;function i(s){var l;return r[s]=!0,k.each(e[s]||[],(function(e,s){var c=s(t,n,a);return"string"!=typeof c||o||r[c]?o?!(l=c):void 0:(t.dataTypes.unshift(c),i(c),!1)})),l}return i(t.dataTypes[0])||!r["*"]&&i("*")}function Jt(e,t){var n,a,r=k.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((r[n]?e:a||(a={}))[n]=t[n]);return a&&k.extend(!0,e,a),e}qt.href=xt.href,k.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:xt.href,type:"GET",isLocal:/^(?:about|app|app-storage|.+-extension|file|res|widget):$/.test(xt.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Gt,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":k.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Jt(Jt(e,k.ajaxSettings),t):Jt(k.ajaxSettings,e)},ajaxPrefilter:Xt($t),ajaxTransport:Xt(Wt),ajax:function(e,t){"object"==typeof e&&(t=e,e=void 0),t=t||{};var n,r,o,i,s,l,c,u,d,h,f=k.ajaxSetup({},t),p=f.context||f,m=f.context&&(p.nodeType||p.jquery)?k(p):k.event,v=k.Deferred(),g=k.Callbacks("once memory"),_=f.statusCode||{},y={},I={},M="canceled",w={readyState:0,getResponseHeader:function(e){var t;if(c){if(!i)for(i={};t=Yt.exec(o);)i[t[1].toLowerCase()+" "]=(i[t[1].toLowerCase()+" "]||[]).concat(t[2]);t=i[e.toLowerCase()+" "]}return null==t?null:t.join(", ")},getAllResponseHeaders:function(){return c?o:null},setRequestHeader:function(e,t){return null==c&&(e=I[e.toLowerCase()]=I[e.toLowerCase()]||e,y[e]=t),this},overrideMimeType:function(e){return null==c&&(f.mimeType=e),this},statusCode:function(e){var t;if(e)if(c)w.always(e[w.status]);else for(t in e)_[t]=[_[t],e[t]];return this},abort:function(e){var t=e||M;return n&&n.abort(t),B(0,t),this}};if(v.promise(w),f.url=((e||f.url||xt.href)+"").replace(Ut,xt.protocol+"//"),f.type=t.method||t.type||f.method||f.type,f.dataTypes=(f.dataType||"*").toLowerCase().match(G)||[""],null==f.crossDomain){l=b.createElement("a");try{l.href=f.url,l.href=l.href,f.crossDomain=qt.protocol+"//"+qt.host!=l.protocol+"//"+l.host}catch(e){f.crossDomain=!0}}if(f.data&&f.processData&&"string"!=typeof f.data&&(f.data=k.param(f.data,f.traditional)),Kt($t,f,t,w),c)return w;for(d in(u=k.event&&f.global)&&0==k.active++&&k.event.trigger("ajaxStart"),f.type=f.type.toUpperCase(),f.hasContent=!jt.test(f.type),r=f.url.replace(Ht,""),f.hasContent?f.data&&f.processData&&0===(f.contentType||"").indexOf("application/x-www-form-urlencoded")&&(f.data=f.data.replace(Nt,"+")):(h=f.url.slice(r.length),f.data&&(f.processData||"string"==typeof f.data)&&(r+=(St.test(r)?"&":"?")+f.data,delete f.data),!1===f.cache&&(r=r.replace(Vt,"$1"),h=(St.test(r)?"&":"?")+"_="+Ot.guid+++h),f.url=r+h),f.ifModified&&(k.lastModified[r]&&w.setRequestHeader("If-Modified-Since",k.lastModified[r]),k.etag[r]&&w.setRequestHeader("If-None-Match",k.etag[r])),(f.data&&f.hasContent&&!1!==f.contentType||t.contentType)&&w.setRequestHeader("Content-Type",f.contentType),w.setRequestHeader("Accept",f.dataTypes[0]&&f.accepts[f.dataTypes[0]]?f.accepts[f.dataTypes[0]]+("*"!==f.dataTypes[0]?", "+Gt+"; q=0.01":""):f.accepts["*"]),f.headers)w.setRequestHeader(d,f.headers[d]);if(f.beforeSend&&(!1===f.beforeSend.call(p,w,f)||c))return w.abort();if(M="abort",g.add(f.complete),w.done(f.success),w.fail(f.error),n=Kt(Wt,f,t,w)){if(w.readyState=1,u&&m.trigger("ajaxSend",[w,f]),c)return w;f.async&&f.timeout>0&&(s=a.setTimeout((function(){w.abort("timeout")}),f.timeout));try{c=!1,n.send(y,B)}catch(e){if(c)throw e;B(-1,e)}}else B(-1,"No Transport");function B(e,t,i,l){var d,h,b,y,I,M=t;c||(c=!0,s&&a.clearTimeout(s),n=void 0,o=l||"",w.readyState=e>0?4:0,d=e>=200&&e<300||304===e,i&&(y=function(e,t,n){for(var a,r,o,i,s=e.contents,l=e.dataTypes;"*"===l[0];)l.shift(),void 0===a&&(a=e.mimeType||t.getResponseHeader("Content-Type"));if(a)for(r in s)if(s[r]&&s[r].test(a)){l.unshift(r);break}if(l[0]in n)o=l[0];else{for(r in n){if(!l[0]||e.converters[r+" "+l[0]]){o=r;break}i||(i=r)}o=o||i}if(o)return o!==l[0]&&l.unshift(o),n[o]}(f,w,i)),!d&&k.inArray("script",f.dataTypes)>-1&&k.inArray("json",f.dataTypes)<0&&(f.converters["text script"]=function(){}),y=function(e,t,n,a){var r,o,i,s,l,c={},u=e.dataTypes.slice();if(u[1])for(i in e.converters)c[i.toLowerCase()]=e.converters[i];for(o=u.shift();o;)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!l&&a&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),l=o,o=u.shift())if("*"===o)o=l;else if("*"!==l&&l!==o){if(!(i=c[l+" "+o]||c["* "+o]))for(r in c)if((s=r.split(" "))[1]===o&&(i=c[l+" "+s[0]]||c["* "+s[0]])){!0===i?i=c[r]:!0!==c[r]&&(o=s[0],u.unshift(s[1]));break}if(!0!==i)if(i&&e.throws)t=i(t);else try{t=i(t)}catch(e){return{state:"parsererror",error:i?e:"No conversion from "+l+" to "+o}}}return{state:"success",data:t}}(f,y,w,d),d?(f.ifModified&&((I=w.getResponseHeader("Last-Modified"))&&(k.lastModified[r]=I),(I=w.getResponseHeader("etag"))&&(k.etag[r]=I)),204===e||"HEAD"===f.type?M="nocontent":304===e?M="notmodified":(M=y.state,h=y.data,d=!(b=y.error))):(b=M,!e&&M||(M="error",e<0&&(e=0))),w.status=e,w.statusText=(t||M)+"",d?v.resolveWith(p,[h,M,w]):v.rejectWith(p,[w,M,b]),w.statusCode(_),_=void 0,u&&m.trigger(d?"ajaxSuccess":"ajaxError",[w,f,d?h:b]),g.fireWith(p,[w,M]),u&&(m.trigger("ajaxComplete",[w,f]),--k.active||k.event.trigger("ajaxStop")))}return w},getJSON:function(e,t,n){return k.get(e,t,n,"json")},getScript:function(e,t){return k.get(e,void 0,t,"script")}}),k.each(["get","post"],(function(e,t){k[t]=function(e,n,a,r){return g(n)&&(r=r||a,a=n,n=void 0),k.ajax(k.extend({url:e,type:t,dataType:r,data:n,success:a},k.isPlainObject(e)&&e))}})),k.ajaxPrefilter((function(e){var t;for(t in e.headers)"content-type"===t.toLowerCase()&&(e.contentType=e.headers[t]||"")})),k._evalUrl=function(e,t,n){return k.ajax({url:e,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,converters:{"text script":function(){}},dataFilter:function(e){k.globalEval(e,t,n)}})},k.fn.extend({wrapAll:function(e){var t;return this[0]&&(g(e)&&(e=e.call(this[0])),t=k(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map((function(){for(var e=this;e.firstElementChild;)e=e.firstElementChild;return e})).append(this)),this},wrapInner:function(e){return g(e)?this.each((function(t){k(this).wrapInner(e.call(this,t))})):this.each((function(){var t=k(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)}))},wrap:function(e){var t=g(e);return this.each((function(n){k(this).wrapAll(t?e.call(this,n):e)}))},unwrap:function(e){return this.parent(e).not("body").each((function(){k(this).replaceWith(this.childNodes)})),this}}),k.expr.pseudos.hidden=function(e){return!k.expr.pseudos.visible(e)},k.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},k.ajaxSettings.xhr=function(){try{return new a.XMLHttpRequest}catch(e){}};var Zt={0:200,1223:204},Qt=k.ajaxSettings.xhr();v.cors=!!Qt&&"withCredentials"in Qt,v.ajax=Qt=!!Qt,k.ajaxTransport((function(e){var t,n;if(v.cors||Qt&&!e.crossDomain)return{send:function(r,o){var i,s=e.xhr();if(s.open(e.type,e.url,e.async,e.username,e.password),e.xhrFields)for(i in e.xhrFields)s[i]=e.xhrFields[i];for(i in e.mimeType&&s.overrideMimeType&&s.overrideMimeType(e.mimeType),e.crossDomain||r["X-Requested-With"]||(r["X-Requested-With"]="XMLHttpRequest"),r)s.setRequestHeader(i,r[i]);t=function(e){return function(){t&&(t=n=s.onload=s.onerror=s.onabort=s.ontimeout=s.onreadystatechange=null,"abort"===e?s.abort():"error"===e?"number"!=typeof s.status?o(0,"error"):o(s.status,s.statusText):o(Zt[s.status]||s.status,s.statusText,"text"!==(s.responseType||"text")||"string"!=typeof s.responseText?{binary:s.response}:{text:s.responseText},s.getAllResponseHeaders()))}},s.onload=t(),n=s.onerror=s.ontimeout=t("error"),void 0!==s.onabort?s.onabort=n:s.onreadystatechange=function(){4===s.readyState&&a.setTimeout((function(){t&&n()}))},t=t("abort");try{s.send(e.hasContent&&e.data||null)}catch(e){if(t)throw e}},abort:function(){t&&t()}}})),k.ajaxPrefilter((function(e){e.crossDomain&&(e.contents.script=!1)})),k.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(e){return k.globalEval(e),e}}}),k.ajaxPrefilter("script",(function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type="GET")})),k.ajaxTransport("script",(function(e){var t,n;if(e.crossDomain||e.scriptAttrs)return{send:function(a,r){t=k(" + + diff --git a/resources/assets/components/remote-auth/StartComponent.vue b/resources/assets/components/remote-auth/StartComponent.vue new file mode 100644 index 000000000..b8b096e1d --- /dev/null +++ b/resources/assets/components/remote-auth/StartComponent.vue @@ -0,0 +1,133 @@ + + + + + diff --git a/resources/assets/js/remote_auth.js b/resources/assets/js/remote_auth.js new file mode 100644 index 000000000..a852e2d5f --- /dev/null +++ b/resources/assets/js/remote_auth.js @@ -0,0 +1,9 @@ +Vue.component( + 'remote-auth-start-component', + require('./../components/remote-auth/StartComponent.vue').default +); + +Vue.component( + 'remote-auth-getting-started-component', + require('./../components/remote-auth/GettingStartedComponent.vue').default +); diff --git a/resources/views/auth/login.blade.php b/resources/views/auth/login.blade.php index 43caeb6dd..12b6b6f52 100644 --- a/resources/views/auth/login.blade.php +++ b/resources/views/auth/login.blade.php @@ -41,7 +41,7 @@
@endif -
+
+ + @if(config_cache('pixelfed.open_registration') && config('remote-auth.mastodon.enabled')) +
+
+ @csrf +
+
+ +
+
+
+ @endif
diff --git a/resources/views/auth/remote/onboarding.blade.php b/resources/views/auth/remote/onboarding.blade.php new file mode 100644 index 000000000..82212a75d --- /dev/null +++ b/resources/views/auth/remote/onboarding.blade.php @@ -0,0 +1,10 @@ +@extends('layouts.app') + +@section('content') + +@endsection + +@push('scripts') + + +@endpush diff --git a/resources/views/auth/remote/start.blade.php b/resources/views/auth/remote/start.blade.php new file mode 100644 index 000000000..9369d7f73 --- /dev/null +++ b/resources/views/auth/remote/start.blade.php @@ -0,0 +1,10 @@ +@extends('layouts.app') + +@section('content') + +@endsection + +@push('scripts') + + +@endpush diff --git a/routes/web.php b/routes/web.php index 200f65744..bd4d978bf 100644 --- a/routes/web.php +++ b/routes/web.php @@ -174,6 +174,25 @@ Route::domain(config('pixelfed.domain.app'))->middleware(['validemail', 'twofact Route::get('web/explore', 'LandingController@exploreRedirect'); Auth::routes(); + Route::get('auth/raw/mastodon/start', 'RemoteAuthController@startRedirect'); + Route::post('auth/raw/mastodon/config', 'RemoteAuthController@getConfig'); + Route::post('auth/raw/mastodon/domains', 'RemoteAuthController@getAuthDomains'); + Route::post('auth/raw/mastodon/start', 'RemoteAuthController@start'); + Route::post('auth/raw/mastodon/redirect', 'RemoteAuthController@redirect'); + Route::get('auth/raw/mastodon/preflight', 'RemoteAuthController@preflight'); + Route::get('auth/mastodon/callback', 'RemoteAuthController@handleCallback'); + Route::get('auth/mastodon/getting-started', 'RemoteAuthController@onboarding'); + Route::post('auth/raw/mastodon/s/check', 'RemoteAuthController@sessionCheck'); + Route::post('auth/raw/mastodon/s/prefill', 'RemoteAuthController@sessionGetMastodonData'); + Route::post('auth/raw/mastodon/s/username-check', 'RemoteAuthController@sessionValidateUsername'); + Route::post('auth/raw/mastodon/s/email-check', 'RemoteAuthController@sessionValidateEmail'); + Route::post('auth/raw/mastodon/s/following', 'RemoteAuthController@sessionGetMastodonFollowers'); + Route::post('auth/raw/mastodon/s/submit', 'RemoteAuthController@handleSubmit'); + Route::post('auth/raw/mastodon/s/store-bio', 'RemoteAuthController@storeBio'); + Route::post('auth/raw/mastodon/s/store-avatar', 'RemoteAuthController@storeAvatar'); + Route::post('auth/raw/mastodon/s/account-to-id', 'RemoteAuthController@accountToId'); + Route::post('auth/raw/mastodon/s/finish-up', 'RemoteAuthController@finishUp'); + Route::post('auth/raw/mastodon/s/login', 'RemoteAuthController@handleLogin'); Route::get('discover', 'DiscoverController@home')->name('discover'); diff --git a/webpack.mix.js b/webpack.mix.js index 14e75b313..8d78b82c8 100644 --- a/webpack.mix.js +++ b/webpack.mix.js @@ -37,6 +37,7 @@ mix.js('resources/assets/js/app.js', 'public/js') .js('resources/assets/js/account-import.js', 'public/js') .js('resources/assets/js/admin_invite.js', 'public/js') .js('resources/assets/js/landing.js', 'public/js') +.js('resources/assets/js/remote_auth.js', 'public/js') .vue({ version: 2 }); mix.extract();